Parsing XML file using Pyspark : Part 2

Parsing a really large 5GB XML file using Pyspark

Author : Deepika Sharma | | Time : September 2020

Method 1 : Pysaprk way

Analysis


Here are the steps for parsing really large xml file using Pyspark.

In this notebook, I am creating a pipeline for getting the data batchwise which can be given to pyspark for parsing since data file is too big to be given as single file.

Due to the memory limitation, in this notebook you will only see 1 millions records are parsed. Once the data ingestion process in place, Pyspark parses the xml with lightining speed.

Steps invlved:

  1. Reading the file split by \n.
  2. Parallelise the RDD to further partition.
  3. Distribute the partitioned RDDs.
  4. Write the parser for getting fields out from the xml.
  5. Register the parser with Spark for it to identify.
  6. Get one partitioned RDD (calling it chunk) at a time to give it to Spark since Spark holds data in memory.
  7. Further partition the chunk and distribute the partitioned chunk to all the nodes along with registered function.
  8. Collect results, remove duplicate, clean fringe cases, append to final list.
  9. Write the final list to DataFrame.

Note, you as well find commercialized solutions like DataBricks, which provide more easy and plug n play facilities and are quick to try out. This notebook aims to identify ways to parse large files using Pyspark.

Step 1

In [1]:
import time
import os,re,gc
import pyspark
import pandas as pd
from itertools import islice
from pyspark.sql.types import *
from pyspark import SparkContext
import xml.etree.ElementTree as ET
from pyspark.sql import SparkSession
In [2]:
num_of_th = 128; repartition_size = num_of_th*4; chunk_size = 1000000
sc = SparkContext(master = "local[20]").getOrCreate()
spark = SparkSession(sc)
In [3]:
file_rdd = spark.read.text("./xml_data/enwiki-latest-abstract.xml", wholetext=False)

Here is the catch, if we read the whole XML as wholetext, file will not be split by \n, and it will be difficut for it to fit in memory.

In [4]:
# file_rdd.count()
In [5]:
# File has 74 million records. it is a big file to parse, lets see if we can do it using Pyspark
In [6]:
#Lets look at sample data ...
file_rdd.take(10)
Out[6]:
[Row(value='<feed>'),
 Row(value='<doc>'),
 Row(value='<title>Wikipedia: Anarchism</title>'),
 Row(value='<url>https://en.wikipedia.org/wiki/Anarchism</url>'),
 Row(value='<abstract>Anarchism is a political philosophy and movement that rejects all involuntary, coercive forms of hierarchy. It calls for the abolition of the state which it holds to be undesirable, unnecessary and harmful.</abstract>'),
 Row(value='<links>'),
 Row(value='<sublink linktype="nav"><anchor>Etymology, terminology and definition</anchor><link>https://en.wikipedia.org/wiki/Anarchism#Etymology,_terminology_and_definition</link></sublink>'),
 Row(value='<sublink linktype="nav"><anchor>History</anchor><link>https://en.wikipedia.org/wiki/Anarchism#History</link></sublink>'),
 Row(value='<sublink linktype="nav"><anchor>Pre-modern era</anchor><link>https://en.wikipedia.org/wiki/Anarchism#Pre-modern_era</link></sublink>'),
 Row(value='<sublink linktype="nav"><anchor>Modern era</anchor><link>https://en.wikipedia.org/wiki/Anarchism#Modern_era</link></sublink>')]

Lets' parse the XML..

Step 2

Limiting to 1 million entries for parsing, due to memeory limitation. If system memory can hold upto 74 million rows, check and change the chunk_size.

In [7]:
file_chunk = file_rdd.take(chunk_size)

Step 3

Parallelize the RDD

In [8]:
# RDD is partitioned such that each partitioned can be picked up separately and can be parsed to extract the fields.
myRDD = sc.parallelize(file_chunk)#,100)

Lets get the count of entries in each partitioned RDD

In [9]:
def count_in_a_partition(idx, iterator):
    count = 0
    for _ in iterator:
        count += 1
    return idx,count
In [10]:
count_list = myRDD.mapPartitionsWithIndex(count_in_a_partition).collect()
In [11]:
# count_list = [val for i,val in enumerate(count_list) if i%2 != 0]
print("Number of partitions  :" ,len(count_list))
Number of partitions  : 20

Step 4

Lets' write a parser to get values from XML chunk passed to pyspark.

In [12]:
elements_parsed = {"title" : [], "url" : [], "abstract" : [], "anchor" : [], "link" : []}


def get_values(i,x,elements_parsed):
    try:
        root = ET.fromstring(x[0]) # can be run over multiple threads by increasing batch size
        for child in root.iter():
            if child.tag == "title":
                elements_parsed["title"].append(child.text.split(":")[1].strip())
#                 elements_parsed["count"].append(i)
            if child.tag == "url":
                elements_parsed["url"].append(child.text)
            if child.tag == "abstract":
                elements_parsed["abstract"].append(child.text)
            if child.tag == "anchor":
                elements_parsed["anchor"].append(child.text)                
            if child.tag == "link": 
                elements_parsed["link"].append(child.text)
            
    except:pass
    gc.collect()
    return elements_parsed

Step 5

  • Register the udf with spark.
In [13]:
# Register the parser with Pysaprk
pyspark.sql.udf.UDFRegistration.register(name="get_values", f = get_values, returnType=StringType())
Out[13]:
<function __main__.get_values(i, x, elements_parsed)>

Lets' get xml chunk for parsing.

Writing functions for removing duplicates from the output, cleaning few fringe cases, and resetting intermediate variables.

In [14]:
def elements_parsed_rm_frindges(elements_parsed):
    '''
    This function cleans up repetative records in the final output after each iteration, 
    one iteration run on one partitioned RDD. 
    
    Partitioned RDD is further partitioned for Spark to send it across nodes.
    Spark sends all the data to all the nodes for computation. There might be ways to avoid Spark sending data to all the nodes.
    
    Input : Parsed elements after each iteration.
    '''
    
    
    parsed_records_list = [] 
    for i in range(len(elements_parsed)): 
        if elements_parsed[i] not in elements_parsed[i + 1:]: 
            parsed_records_list.append(elements_parsed[i]) 
    
    return parsed_records_list

Resetting intermediate variables.

In [15]:
def reset(file,name):
    '''
    This function resets all the intermediate variables to free up memory. 
    Input : variable which needs to be free up and its name.
    '''
    if name == "elements_parsed":
        file.clear()
       
    if name == "parsed_records_list":
        file.clear()
        
    return file    

Step 6,7,8

  • Get one partitioned RDD at a time to give it to Spark since Spark holds data in memory.
  • Further partition the chunk and distribute the partitioned chunk to all the nodes along with registered function.
  • Collect results, remove duplicate, clean fringe cases, append to final list.
In [16]:
parsed_records_ini = []; start = time.time()
for idx_,count in enumerate(count_list):    
    # 6. Getting one partitioned RDD at a time.
    chunk = myRDD.mapPartitionsWithIndex(lambda i, it: islice(it, 0, count) if i == idx_ else []).collect()
    
    # 7. Parallelizing it further.    
    myRDD_ = sc.parallelize(chunk)  
    myRDD_ = myRDD_.repartition(repartition_size)
    
    #Initiate the dict in which elements will be appended
    elements_parsed = {"count" : [], "title" : [], "url" : [], "abstract" : [], "anchor" : [], "link" : []}
    
    # 7. Run the job on spark
    elements_parsed = sc.runJob(myRDD_, lambda part: [get_values(i,x,elements_parsed) for i,x in enumerate(part)]) 
    
    # 8. Remove duplicate and consilation of parsed records, a hygiene check.
    parsed_records_list = elements_parsed_rm_frindges(elements_parsed)
        
    #reset the variable to free up memory
    elements_parsed = reset(elements_parsed, name = "elements_parsed")   
    
    # 8. Create a master list in which all the cleaned records will continue appending while all the intermediate variables are reset.
    parsed_records = parsed_records_ini+parsed_records_list
    parsed_records_ini = parsed_records
    
    #reset the other variable
    parsed_records_ini = reset(parsed_records_ini, name = "parsed_records_ini")
    
   
    #Garbage collection to further save up memory
    gc.collect()

    if idx_ > 0 and idx_ %4 == 0:
        print(idx_, time.time()-start)
4 1270.425047636032
8 3373.918560028076
12 4226.878239631653
16 4789.349941253662
In [17]:
(time.time()-start)/60
Out[17]:
88.84068657159806
In [18]:
pd.DataFrame(parsed_records)
Out[18]:
count title url abstract anchor link
0 [] [Wikipedia: Distance education, Wikipedia: Equ... [https://en.wikipedia.org/wiki/Distance_educat... [Distance education, also called distance lear... [[Later life, Thoroughbred racing, Death, Lega... [[https://en.wikipedia.org/wiki/Desi_Arnaz#Lat...
1 [] [Wikipedia: DNA virus, Wikipedia: Estimator, W... [https://en.wikipedia.org/wiki/DNA_virus, http... [A DNA virus is a virus that has DNA as its ge... [[Bibliography, See also, References], [Radio ... [[https://en.wikipedia.org/wiki/Desi_Arnaz#Bib...
2 [] [Wikipedia: Death of a Hero, Wikipedia: Euphor... [https://en.wikipedia.org/wiki/Death_of_a_Hero... [Death of a Hero is a World War I novel by Ric... [[Group I: dsDNA viruses, Host range, Taxonomy... [[https://en.wikipedia.org/wiki/DNA_virus#Grou...
3 [] [Wikipedia: Degree Confluence Project, Wikiped... [https://en.wikipedia.org/wiki/Degree_Confluen... [Ezra (; , ;"[God] helps" – Emil G. Hirsch, Is... [[CRESS DNA viruses, Cruciviridae, Molecular b... [[https://en.wikipedia.org/wiki/DNA_virus#CRES...
4 [] [Wikipedia: Epic poetry, Wikipedia: Energy, Wi... [https://en.wikipedia.org/wiki/Epic_poetry, ht... [thumb|upright|right|A GPS unit at confluence ... [[Marine and other, Satellite viruses, Phyloge... [[https://en.wikipedia.org/wiki/DNA_virus#Mari...
... ... ... ... ... ... ...
1284 [] [Wikipedia: Catherine of Alexandria, Wikipedia... [https://en.wikipedia.org/wiki/Catherine_of_Al... [| birth_place = Alexandria, Roman Egypt, thu... [[Legend, Torture and martyrdom, Veneration, H... [[https://en.wikipedia.org/wiki/Catherine_of_A...
1285 [] [Wikipedia: Camma, Wikipedia: IACR, Wikipedia:... [https://en.wikipedia.org/wiki/Camma, https://... [Camma was a Galatian princess and priestess o... [[Medieval cult, Legacy, In art, Contemporary ... [[https://en.wikipedia.org/wiki/Catherine_of_A...
1286 [] [Wikipedia: The Ring (magazine), Wikipedia: Ca... [https://en.wikipedia.org/wiki/The_Ring_(magaz... [| issn = 0035-5410, Camulus or Camulos was a ... [[History, The Ring world champions, Current T... [[https://en.wikipedia.org/wiki/The_Ring_(maga...
1287 [] [Wikipedia: Julia Margaret Cameron, Wikipedia:... [https://en.wikipedia.org/wiki/Julia_Margaret_... [Canola oil is a vegetable oil derived from a ... [[List of pound for pound #1 fighters, Scandal... [[https://en.wikipedia.org/wiki/The_Ring_(maga...
1288 [] [Wikipedia: H. J. R. Murray, Wikipedia: Journa... [https://en.wikipedia.org/wiki/H._J._R._Murray... [| birth_place = Calcutta, British India, | bi... [[Biography, Early life and education, Marriag... [[https://en.wikipedia.org/wiki/Julia_Margaret...

1289 rows × 6 columns

Step 9

Writing results to a DataFrame

In [19]:
title_list = []; url_list = []; abstract_list = []; anchor_list = []; link_list = []
for i in range(len(parsed_records_ini)):
    title = title_list + parsed_records_ini[i]["title"]
    title_list = title    
    
    url = url_list + parsed_records_ini[i]["url"]
    url_list = url
    
    abstract = abstract_list + parsed_records_ini[i]["abstract"]
    abstract_list = abstract
    
    anchor = anchor_list + [val for val in parsed_records_ini[i]["anchor"] if len(val) > 0 ]#[0:len(parsed_records_ini[i]["title"])]
    anchor_list = anchor
    
    link = link_list + [val for val in parsed_records_ini[i]["link"] if len(val) > 0]#[0:len(parsed_records_ini[i]["title"])]
    link_list = link
    
    if len(parsed_records_ini[i]["title"]) != len(parsed_records_ini[i]["anchor"]):
        print(parsed_records_ini[i]["title"])
        print(parsed_records_ini[i]["anchor"])
        print("\n\n")
['Wikipedia: Distance education', 'Wikipedia: Equivalence relation', 'Wikipedia: Euclidean geometry', 'Wikipedia: Eiffel (programming language)', 'Wikipedia: European Space Operations Centre', 'Wikipedia: Finnish', 'Wikipedia: Four Pillars', 'Wikipedia: Galilean moons', 'Wikipedia: Gamma-Hydroxybutyric acid', 'Wikipedia: Gilles Apap', 'Wikipedia: High fidelity', 'Wikipedia: Hymenoptera', 'Wikipedia: Insulin', 'Wikipedia: Devanagari numerals', 'Wikipedia: Coen brothers', 'Wikipedia: Jawaharlal Nehru', 'Wikipedia: Foreign relations of Kazakhstan']
[['Later life', 'Thoroughbred racing', 'Death', 'Legacy', 'Filmography', 'As actor', 'As producer', 'As writer', 'As director', 'Soundtracks', 'History', 'University correspondence courses', 'Open universities', '2019–20 coronavirus pandemic', 'Technologies', 'Notation', 'Definition', 'Examples', 'The Elements', 'Axioms', 'Parallel postulate', 'Methods of proof', 'System of measurement and arithmetic', 'Notation and terminology', 'History', 'Processes', 'Usage', 'Functional programming examples', 'Factorial', 'Fibonacci sequence', 'Quicksort', 'Characteristics', 'Design goals', 'Background', 'Implementations and environments', 'Specifications and standards', 'Georgia', 'Iceland', 'Moldova', 'Montenegro', 'North Macedonia', 'Norway', 'Russia', 'San Marino', 'Serbia', 'Switzerland', 'Science and technology', 'Time zones', 'Other uses', 'See also', 'Missions', 'ESTRACK', 'Activities', 'History', 'Location and expansion', 'Modern West Frisian', 'Family tree', 'Text samples', "The Lord's Prayer", 'Comparative sentence', 'See also', 'References', 'Notes', 'General references'], ['See also', 'Other notable schools', 'Education and media', 'Sports', 'See also', 'References', 'Notes', 'Citations', 'Further reading', 'Architecture', 'Others', 'Architecture', 'Businesses', 'Visual arts', 'Literature', 'Music', 'Cinema', 'Politics', 'Socialism', 'Fascism', 'Civil rights movement and anti-racism', 'Secrecy', 'Criticism', 'Allegations of bias', 'Appointment process', 'Judicial and public oversight', 'Secret law', 'Controversies', '2013 NSA controversy', '2016 presidential election controversy', 'Composition', 'Further reading'], ['See also', 'Least squares', 'Iterative', 'Closed-form', 'Error sources and analysis', 'Accuracy enhancement and surveying', 'Augmentation', 'Precise monitoring', 'Carrier phase tracking (surveying)', 'Regulatory spectrum issues concerning GPS receivers', 'Other systems', 'Immigration', 'Illegal immigration', 'Age structure', 'Ethnic groups, languages and religion', 'Education', 'See also', 'Notes', 'References'], ['1957 regulations', '1965 regulations', '1970 regulations', 'Current regulations', 'Title inflation', 'Honorary grandmasters', 'See also', 'References'], ['History', 'Discovery', 'Dedication to the Medicis', 'Name', 'Determination of longitude', 'Members', 'Serbia', 'Switzerland', 'Ukraine', 'European Union', 'UN trend in EU', 'Opinions inside the EU', 'Austria', 'Croatia', 'Cyprus', 'Czech Republic', 'Participants', 'Global links', 'Example projects', 'References'], ['See also', 'References', 'Primary sources', 'Secondary sources'], ['Geographical information', 'Location', 'Land boundaries', 'Coastline', 'Islands', 'Terrain', 'Extreme points', 'Land', 'Principal peaks of Hong Kong', 'Natural resources', 'History', 'Motivations', 'Teaching methods', 'Informal learning', 'Structured versus unstructured', 'Unit studies', 'All-in-one curricula', 'Unschooling and natural learning', 'Autonomous learning', 'Homeschool cooperatives', 'History', 'Listening tests', 'Semblance of realism', 'Administration of Ioannis Kapodistrias', 'Assassination of Kapodistrias and the creation of the Kingdom of Greece', 'Reign of King Otto, 1833–1863', 'Reign of King George I, 1864–1913', 'Balkan Wars', 'World War I and subsequent crises, 1914-1922', 'Greco-Turkish War (1919–1922)', 'Republic and Monarchy (1922–1940)', 'World War II', 'Civil War', 'Etymology', 'Evolution', 'Anatomy', 'Reproduction', 'Language', 'Modern economy', 'Media and the arts', 'Music', 'Literature', 'Film', 'Video Games', 'Influence on visitors', 'Natural history', 'See also', 'Theatre', 'Music', 'Cinema', 'Sport', 'Fashion and design', 'Cuisine', 'Public holidays and festivals', 'See also', 'Notes', 'References', 'Relations by region and country', 'Africa', 'Americas', 'Asia', 'Europe', 'Oceania', 'International institutions', 'See also', 'References', 'Further reading', 'Evolution and species distribution', 'Gene', 'Alleles', 'Regulation', 'Structure', 'History', 'Design summary', 'Motion type', 'Damper type', 'Exercise', 'Ergometer testing', 'Rowing technique', 'Etymology', 'Origins', 'Historic customs', 'Brigid', 'Weather divination', 'Neopaganism', 'Celtic Reconstructionist', 'Wicca and Neo-Druidry', 'Religion and leading proponents', 'Reaction from other creationist groups', 'Reaction from the scientific community', 'Polls', 'Allegations of discrimination against ID proponents', 'Criticism', 'Scientific criticism', 'Arguments from ignorance', 'Possible theological implications', 'God of the gaps', 'Table', 'Variants', 'See also', 'Background', 'Early life', 'Education', 'Personal lives', 'Career', '1980s', 'Eusebian phraseology', 'External arguments', "Origen's references to Josephus", 'Arguments from silence', 'Table of Josephus excludes the Testimonium', 'Arabic Testimonium lacks Christian terminology', 'No parallel in other works', 'Timing of the interpolations', 'Arguments for partial authenticity', 'Arguments from style and content', 'Early life and career (1889–1912)', 'Birth and family background', 'Childhood', 'Life', 'Overview', 'Childhood and emigration', 'Education and encounters with Shams-e Tabrizi', 'Later life and death', 'Teachings', 'Major works', 'Poetic works', 'Prose works', 'Religious outlook', 'Multilateral agreements', 'Foreign policy 2014–20', 'Economic diplomacy', 'Border issues', 'Nuclear weapons non-proliferation', 'Illicit drugs']]



['Wikipedia: DNA virus', 'Wikipedia: Estimator', 'Wikipedia: Electric guitar', 'Wikipedia: European Space Agency', 'Wikipedia: French language', 'Wikipedia: Latin freestyle', 'Wikipedia: Albert of Saxony', 'Wikipedia: FC Den Bosch', "Wikipedia: Futurama (New York World's Fair)", 'Wikipedia: Germany', 'Wikipedia: Politics of Greece', 'Wikipedia: Gotthold Ephraim Lessing', 'Wikipedia: Gunpowder Plot', 'Wikipedia: Demographics of Hong Kong', 'Wikipedia: Holden', 'Wikipedia: HMS Dreadnought', 'Wikipedia: India', 'Wikipedia: Italian language', 'Wikipedia: Isaiah', 'Wikipedia: Ian Botham']
[['Bibliography', 'See also', 'References'], ['Radio and television', 'Internet', 'Paced and self-paced models', 'Benefits', 'Criticism', 'Educational technology', 'Credentials', 'See also', 'Sources', 'References', 'Simple example', 'Equivalence relations', 'Relations that are not equivalences', 'Connections to other relations', 'Well-definedness under an equivalence relation', 'Equivalence class, quotient set, partition', 'Equivalence class', 'Quotient set', 'Projection', 'Equivalence kernel', 'Naming of points and figures', 'Complementary and supplementary angles', "Modern versions of Euclid's notation", 'Some important or well known results', 'Pons Asinorum', 'Congruence of triangles', 'Triangle angle sum', 'Pythagorean theorem', "Thales' theorem", 'Scaling of area and volume', 'Data types', '"Let it Crash" coding style', 'Supervisor trees', 'Concurrency and distribution orientation', 'Implementation', 'Hot code loading and modules', 'Distribution', 'See also', 'References', 'Further reading', 'Syntax and semantics', 'Overall structure', 'Scoping', '"Hello, world!"', 'Design by contract', 'Void-safety', 'Features: commands and queries', 'Overloading', 'Genericity', 'Inheritance basics', 'Turkey', 'Ukraine', 'United Kingdom', 'See also', 'Footnotes', 'References', 'History', 'Types', 'Solid-body', 'Chambered-body', 'Semi-acoustic', 'Full hollow-body', 'Employees', 'See also', 'References'], ['History', 'Vulgar Latin in Gallia', 'Old French', 'History', '1982–1987: Origin of freestyle', '1987–1992: A pop-crossover genre', 'Post-freestyle era', 'Influence on other genres'], ['Early life', 'King', 'Neoliberalism', 'Societal impact', 'Civil rights', 'Jurisprudence', 'Language', 'Theology', 'Patriarchy', 'Men and masculinity', 'Reactions', 'Pro-feminism', 'Membership', 'Former members', 'See also', 'References', 'Background', 'Overview', 'Reception', 'See also', 'Notes', 'References', 'Further reading'], ['Executive branch', 'President', 'Prime minister', 'Maintaining the support of parliament', 'Life', 'Works', 'Attack by Johann Daniel Müller', 'Selected works', 'Io', 'Europa', 'Ganymede', 'Callisto', 'Comparative structure', 'Size', 'Latest flyby', 'Origin and evolution', 'Visibility', 'Orbit animations', 'Denmark', 'Finland', 'France', 'Germany', 'Greece', 'Hungary', 'Ireland', 'Italy', 'Lithuania', 'Luxembourg', 'Medical use', 'Recreational use', 'Party use', 'Sports and athletics', 'Usage as a date rape drug', 'Adverse effects', 'Combination with alcohol', 'Deaths', 'Discography', 'Films'], ['Land use', 'Natural hazards', 'Environmental issues', 'See also', 'References'], ['Research', 'Test results', 'Outcomes', 'Debate about outcomes', 'Socialization', 'General criticism', 'International status and statistics', 'See also', 'References', 'Further reading', 'Modularity', 'Modern equipment', 'See also', 'References', 'Further reading'], ['Postwar Greece (1950–1973)', 'Greek military junta of 1967–1974', 'Transition and democracy (1973–2009)', 'History of Greece 2009 to present', 'Economic crisis (2009–2018)', 'Coalition Government', 'SYRIZA victory', 'See also', 'References', 'Further reading', 'Sex determination', 'Thelytoky', 'Diet', 'Classification', 'Symphyta', 'Apocrita', 'See also', 'References', 'Bibliography'], ['References and footnotes', 'Notes', 'Citations', 'General references'], ['Bibliography'], ['Etymology', 'History', 'Origins', 'Renaissance', 'Synthesis, physiological effects, and degradation', 'Synthesis', 'Release', 'Oscillations', 'Blood insulin level', 'Signal transduction', 'Physiological effects', 'Degradation', 'Regulator of endocannabinoid metabolism', 'Hypoglycemia', 'Catch', 'Drive', 'Finish (or release)', 'Recovery', 'Competitions', 'See also', 'References', 'See also', 'References', 'Further reading'], ['Modern events', 'Legal challenges in the United States', 'Kitzmiller trial', 'Reaction to Kitzmiller ruling', 'Anti-evolution legislation', 'Status outside the United States', 'Europe', 'Australia', 'Relation to Islam', 'Relation to ISKCON', 'See also', 'References', 'Early life and development as a cricketer (1955–1973)', 'Cricket career (1973–1993)', '1990s', '2000s', '2010s', 'Planned and uncompleted projects', 'Production company', 'Directing distinctions', 'Filmography', 'Collaborators', 'Accolades', 'Directed Academy Award performances', 'Lack of Jewish deicide', 'Josephan vocabulary and style', 'Joseephan beliefs about Jesus', 'Arguments from external attestation', "Origen's complaint about Josephus referencing Jesus", 'Arabic Testimonium more authentic version', 'Other arguments', "Comparision to Philo's works", 'Authenticity of the James passage', 'Reconstruction of an authentic kernel', 'Youth', 'Graduation', 'Advocate practice', 'Early struggle for independence (1912–1938)', 'Britain and return to India: 1912–13', 'World War I: 1914–15', 'Home rule movement: 1916–17', 'Non-cooperation: 1920–27', 'Internationalising struggle for Indian independence: 1927', 'Fundamental Rights and Economic Policy: 1929', 'Legacy', 'Universality', 'Iranian world', 'Mewlewī Sufi Order; Rumi and Turkey', 'Religious denomination', 'Eight hundredth anniversary celebrations', 'Mawlana Rumi Review', 'See also', 'General', 'Poems by Rumi', 'KazAID', 'Bilateral relations', 'Africa', 'Americas', 'Asia', 'Europe', 'European Free Trade Association', 'European Union', 'European countries', 'NATO']]



['Wikipedia: Death of a Hero', 'Wikipedia: Euphoria (programming language)', "Wikipedia: François d'Aguilon", 'Wikipedia: Francesco I Sforza', 'Wikipedia: Geotechnical engineering', 'Wikipedia: Great Schism', 'Wikipedia: Heteroatom', 'Wikipedia: Heracles', 'Wikipedia: Hannibal Hamlin', 'Wikipedia: Hartmann Schedel', 'Wikipedia: Internetwork Packet Exchange', 'Wikipedia: Integrin', 'Wikipedia: Jorge Luis Borges']
[['Group I: dsDNA viruses', 'Host range', 'Taxonomy', 'Virophages', 'Unclassified viruses', 'NCLDVs', 'Pleolipoviruses', 'Group II: ssDNA viruses', 'Classification', 'Further reading'], ['Plot summary', 'Partition', 'Counting partitions', 'Fundamental theorem of equivalence relations', 'Comparing equivalence relations', 'Generating equivalence relations', 'Algebraic structure', 'Group theory', 'Categories and groupoids', 'Lattices', 'Equivalence relations and mathematical logic', 'Applications', 'As a description of the structure of space', 'Later work', 'Archimedes and Apollonius', '17th century: Descartes', '18th century', '19th century and non-Euclidean geometry', '20th century and relativity', 'Treatment of infinity', 'Infinite objects'], ['Overview', 'History', 'Deferred classes and features', 'Renaming', 'Tuples', 'Agents', 'Once routines', 'Conversions', 'Exception handling', 'Concurrency', 'Operator and bracket syntax, assigner commands', 'Lexical and syntax properties', 'Background', 'Definition', 'Quantified properties', 'Error', 'Mean squared error', 'Sampling deviation', 'Variance', 'Electric acoustic', 'Construction', 'Bridge and tailpiece systems', 'Pickups', 'Guitar necks', 'Sound and effects', 'Built-in sound shaping', 'Guitar amplifier', 'Effects units', 'Synthesizer and digital guitars', 'History', 'Foundation', 'Later activities', 'Mission', 'Activities and programmes', 'Activities', 'Programmes', 'Mandatory', 'Optional', 'Middle French', 'Modern French', 'Geographic distribution', 'Europe', 'Africa', 'Americas', 'Asia', 'South Asia', 'Southeast Asia', 'Western Asia', 'NYC hard house', 'Characteristics', 'Terminology', 'Freestyle scenes', 'New York', 'Miami', 'Philadelphia', 'California', 'Canada', 'Elsewhere in the world', 'Marriage and succession', 'Honours, decorations and awards', 'German honours', 'Foreign honours', 'Ancestry', 'References', 'Anti-feminism and criticism of feminism', 'Secular humanism', 'See also', 'Notes', 'References', 'Further reading'], ['Articles', 'Active research', 'Multimedia and documents', 'History', 'Honours', 'Club Name', 'Players', 'Current squad', 'Managerial history', 'Statistics', 'See also', 'References', 'Legacy', 'See also', 'References'], ['History', 'Germanic tribes and Frankish Empire', 'East Francia and Holy Roman Empire', 'German Confederation and Empire', 'Weimar Republic and Nazi Germany', 'East and West Germany', 'Reunified Germany and the European Union', 'Legislative branch', 'Judicial branch', 'Administrative divisions', 'Foreign relations', 'Notable politicians of Greece', 'Former', 'Current', 'Political issues', 'Education', 'Non-state owned universities', 'English translations', 'See also', 'References', 'Further reading'], ['See also', 'References'], ['Malta', 'Netherlands', 'Poland', 'Romania', 'Slovakia', 'Slovenia', 'Spain', 'Sweden', 'United Kingdom', 'Oceania', 'Neurotoxicity', 'Addiction', 'Withdrawal', 'Overdose', 'Detection of use', 'Endogenous production', 'Natural fermentation by-product', 'Pharmacology', 'History', 'Legal status', 'Background', 'Religion in England', 'Succession', 'Early reign of James I', 'Early plots', 'Plot', 'Initial recruitment', 'Initial planning', 'Terminology', 'Population density', 'Ethnicity', 'Chinese', 'Ethnic minorities', 'Nationality', 'Age groups'], ['Organic chemistry', 'Proteins', 'History', 'Early history', '1940s', '1950s', '1960s', '1970s', '1980s', 'Historiography', 'Origin', 'Hero or god', 'Early life', 'Personal life', 'Political beginnings', 'Citations and references', 'History', 'Ancient India', 'Medieval India', 'Early modern India', 'Modern India', 'Geography', 'Biodiversity', 'Politics and government', 'Politics', 'Government', 'Modern era', 'Contemporary times', 'Classification', 'Geographic distribution', 'Education', 'Influence and derived languages', 'Lingua franca', 'Languages and dialects', 'Phonology', 'Assimilation', 'Diseases and syndromes', 'Medical uses', 'History of study', 'Discovery', 'Extraction and purification', 'Patent', 'Structural analysis and synthesis', 'Nobel Prizes', 'Controversy', 'See also', 'Description', 'IPX packet structure', 'IPX addressing', 'Network number', 'Node number', 'Socket number', 'Biography', 'In Christianity', 'Latter Day Saint movement', 'In Islam', 'In Judaism', 'Archaeology', 'Notes', 'References', 'Notes', 'References', 'Further reading', 'Books', 'Non-ID perspectives', 'Media articles and audio video resources', 'Somerset (1973–1975)', 'Somerset and England (1976)', 'District cricket in Australia (1976–77)', 'Somerset and England (1977)', 'Somerset and England (1977–78 to 1979–80)', 'Jubilee Test, India, February 1980', 'Somerset and England (1980 to 1980–81)', 'Somerset and England (1981)', 'Somerset and England (1981–82 to 1983–84)', 'Somerset and England (1984 to 1986–87)', 'Bibliography', 'References'], ['Exclusion of three divisive elements', 'Arguments for complete forgery', 'Textual similarities to Eusebian works', 'Three Eusebian phrases', '4th century Chritian creedal statements', 'Intrusion that breaks the narrative', '"James, the brother of Jesus" passage', 'Early references', 'Origen of Alexandria', 'Eusebius of Caesarea', 'Declaration of independence', 'Salt March: 1930', 'Salt satyagraha success', 'Electoral politics, Europe, and economics: 1936–38', 'Struggle for independence, from World War II', 'Pakistan Resolution, August Offer, civil disobedience: 1940', "Japan attacks India, Cripps' mission, Quit India: 1942", 'Expansion of the Muslim League: 1943', 'Prime Minister of India (1947–1964)', 'Republicanism', 'On Persian culture', 'Rumi scholars and writers', 'English translators of Rumi poetry', 'Interpreters of Rumi', 'References', 'Further reading', 'English translations', 'Life and work', 'Persian literature'], ['Visa Regimes', 'United Nations', 'United Nations Security Council', 'Shanghai Cooperation Organisation', 'Other international organizations', 'Antarctic treaty', 'Organisation for Economic Co-operation and Development (OECD)', 'World Trade Organization', 'World Anti-Crisis Conference', 'Overview']]



['Wikipedia: Degree Confluence Project', 'Wikipedia: Equivalence class', 'Wikipedia: Ezra', 'Wikipedia: Embryo drawing', 'Wikipedia: Fantasy (psychology)', 'Wikipedia: Federal Aviation Administration', 'Wikipedia: Female genital mutilation', 'Wikipedia: Gloria Gaynor', 'Wikipedia: Shock site', 'Wikipedia: Giordano Bruno', 'Wikipedia: Half-life', 'Wikipedia: Hexameter', 'Wikipedia: Heckler & Koch MP5', 'Wikipedia: Inductor', 'Wikipedia: Interpreted language', 'Wikipedia: James Norris Memorial Trophy', 'Wikipedia: History of Kenya']
[['CRESS DNA viruses', 'Cruciviridae', 'Molecular biology', 'Recently classified viruses', 'Smacoviridae', 'Unassigned species', 'Human isolates', 'Animal viruses – vertebrates', 'Animal viruses – invertebrates', 'Plants', 'Book I', 'Book II', 'Book III', 'Censorship', 'References', 'Euclidean relations', 'See also', 'Notes', 'References'], ['Infinite processes', 'Logical basis', 'Classical logic', 'Modern standards of rigor', 'Axiomatic formulations', 'See also', 'Classical theorems', 'Notes', 'References'], ['Features', 'Execution modes', 'Use', 'Data types', 'Hello, World!', 'Examples', 'Parameter passing', 'Comparable languages', 'References'], ['Style conventions', 'Interfaces to other tools and languages', 'References'], ['Bias', 'Relationships among the quantities', 'Behavioral properties', 'Consistency', 'Asymptotic normality', 'Efficiency', 'Robustness', 'See also', 'Notes', 'References', 'Playing techniques', 'See also', 'References', 'Sources'], ['ESA_LAB@', 'Member states, funding and budget', 'Membership and contribution to ESA', 'Non-full member states', 'Slovenia', 'Latvia', 'Canada', 'Budget appropriation and allocation', 'Enlargement', 'EU and the European Space Agency', 'Lebanon', 'Israel', 'United Arab Emirates and Qatar', 'Oceania and Australasia', 'Future', 'Varieties', 'Current status and importance', 'Phonology', 'Writing system', 'Alphabet', 'Record labels', 'References', 'Conscious fantasy', 'Six Books Of Optics', 'Perception and the horopter', 'Similarity to other theorists', 'Accompanying art', 'See also', 'References', 'Further reading', 'Major functions', 'Organizations', 'Regions and Aeronautical Center Operations'], ['Terminology', 'Methods', 'Biography', 'Early life', 'Duke of Milan', 'Issue', 'References', 'Sources'], ['Geography', 'Climate', 'Biodiversity', 'Politics', 'Constituent states', 'Law', 'Foreign relations', 'Military', 'Economy', 'Infrastructure', 'Illegal immigration', 'Judicial system', 'Prisons', 'Media', 'Media freedom', 'Military service', 'Military spending', 'Church-state relations', 'Notes'], ['History', 'Practicing engineers', 'Soil mechanics', 'Soil properties', 'Geotechnical investigation', 'Building foundations', 'Shallow foundations', 'Footings', 'See also', 'Early life', 'Early career', 'Australia', 'New Zealand', 'See also', 'Notes', 'References'], ['See also', 'References'], ['Further recruitment', 'Undercroft', 'Monteagle letter', 'Discovery', 'Flight', 'Investigation', 'Last stand', 'Reaction', 'Interrogations', 'Jesuits', 'United Nations data', 'Population by age group', 'Population by wider age groups', 'Hong Kong government data', 'Language', 'Sex ratio', 'Male/female ratio by age group', 'Education level', 'Health and mortality', 'Birth and mortality rates', 'Zeolites', 'References'], ['1990s', '2000s', '2010s', '2020s', 'Vehicles', 'Current', 'Former', 'Original models', 'Toyota-based models', 'Opel-based models', 'Christian chronology', 'Cult', 'Character', 'Mythology', 'Birth and childhood', 'Youth', 'Labours of Heracles', 'Further adventures', 'Omphale', 'Hylas', 'Vice presidency', 'Later life', 'Death', 'Family', 'Honors', 'In popular culture', 'See also', 'References', 'Bibliography'], ['Gallery', 'Editions', 'Notes', 'Sources'], ['HK abbreviations', 'See also', 'References'], ['Administrative divisions', 'Foreign, economic and strategic relations', 'Economy', 'Industries', 'Socio-economic challenges', 'Demographics, languages, and religion', 'Culture', 'Art, architecture and literature', 'Performing arts and media', 'Society', 'Writing system', 'Common variations', 'Sounds', 'Vowels', 'Mobile diphthongs', 'Consonants', 'Grammar', 'Words', 'Conversation', 'Question words', 'References', 'Further reading'], ['Further reading'], ['Historical background', 'Structure', 'Activation', 'Function', 'Attachment of cell to the ECM', 'Signal transduction', 'Integrins and nerve repair', 'Vertebrate integrins', 'Worcestershire and England (1987 to 1991)', 'Durham and England (1991–92 to 1993)', 'Records in international cricket', 'List of Test centuries and five-wicket innings', 'Style and technique', 'Legacy', 'Libel cases brought against Imran Khan (1994–1996)', 'Football career', 'Charity fundraising', 'Media career', 'Life and career', 'Early life and education', 'Early writing career', 'Later career', 'International renown', 'Later personal life', 'Death', 'Legacy', 'Political opinions', 'Anti-communism', 'Arguments for authenticity', 'Arguments against authenticity', 'Differences with Christian sources', 'John the Baptist passage', 'The three passages in relation to The Jewish Wars', 'See also', 'Notes', 'Bibliography'], ['Interim Prime Minister and Independence: 1946–52', 'Independence', 'Assassination of Mahatma Gandhi: 1948', 'Integration of states: 1947–50', 'Adoption of New Constitution: 1950', 'Election of 1952', 'First term as Prime Minister: 1952–57', 'State reorganization', 'Subsequent elections: 1957, 1962', 'Vision and governing policies', 'History', 'Winners', 'See also', 'See also', 'References', 'Further reading'], []]



['Wikipedia: Epic poetry', 'Wikipedia: Energy', 'Wikipedia: Emerald', 'Wikipedia: Freenet', 'Wikipedia: Folk dance', 'Wikipedia: Economy of Greece', 'Wikipedia: Hopwood Award', 'Wikipedia: Ion channel', 'Wikipedia: Id Software', 'Wikipedia: July 28', 'Wikipedia: JANET']
[['Marine and other', 'Satellite viruses', 'Phylogenetic relationships', 'Introduction', 'ds DNA viruses', 'Herpesviruses and caudoviruses', 'Large DNA viruses', 'Other viruses', 'ss DNA viruses', 'Bacteriophage evolution', 'Requirements', 'History', 'Milestones', 'See also', 'Notes'], ['Examples', 'Notation and formal definition', 'Properties', 'Graphical representation', 'Invariants', 'Quotient space in topology', 'See also', 'Notes', 'Etymology', 'Overview', 'Oral epics', 'Forms', 'History', 'Units of measure', 'In the Hebrew Bible', 'In later Second Temple period literature', '1 Esdras', 'Josephus', 'The apocalyptic Ezra traditions', 'Ezra in rabbinic literature', 'Ezra in Christian traditions', 'Ezra in Islam', 'Academic view'], ['Etymology', 'Properties determining value', 'Use of embryo drawings and photography in contemporary biology', 'Controversy', 'Famous embryo illustrators', 'Ernst Haeckel (1834-1919)', 'Karl Ernst von Baer (1792-1876)', 'Wilhelm His (1831-1904)', 'Opposition to Haeckel', 'Early opponents: Ludwig Rutimeyer, Theodor Bischoff and Rudolf Virchow', 'Launch vehicle fleet', 'Ariane 5', 'Soyuz', 'Vega', 'Ariane launch vehicle development funding', 'Human space flight', 'Astronaut names', 'Crew vehicles', 'Cooperation with other countries and organisations', 'European Union', 'Orthography', 'Grammar', 'Nouns', 'Verbs', 'Moods and tense-aspect forms', 'Finite moods', 'Indicative (Indicatif)', 'Subjunctive (Subjonctif)', 'Imperative (Imperatif)', 'Conditional (Conditionnel)', 'Freud and Fantasy', 'Freud and daydreams', 'In schizophrenia', 'Klein and unconscious fantasy', 'Lacan, fantasy, and desire', 'The fantasy principle', 'Narcissistic personality disorder', 'See also', 'References', 'Further reading'], ['History', 'Features and user interface', 'History', '21st century', 'History of FAA Administrators', 'Criticism', 'Conflicting roles', 'Lax regulatory oversight', 'Changes to air traffic controller application process', 'Next Generation Air Transportation System', 'Boeing 737 MAX controversy', 'Regulatory process', 'Classification', 'Variation', 'Types', 'Type I', 'Type II', 'Type III', 'Type IV', 'Complications', 'Short-term and long-term', 'Pregnancy, childbirth', 'Background', 'Europe', 'Middle East, Central Asia and South Asia', 'East and Southeast Asia', 'China', 'Tourism', 'Demographics', 'Religion', 'Languages', 'Education', 'Health', 'Culture', 'Music', 'Art and design', 'Literature and philosophy', 'History', 'Strengths and weaknesses', 'Eurozone entry', 'Slab foundations', 'Deep foundations', 'Lateral earth support structures', 'Gravity walls', 'Cantilever walls', 'Excavation shoring', 'Earthworks', 'Ground improvement', 'Slope stabilization', 'Slope stability analysis', 'Major mainstream breakthrough', 'Stateside career', 'Career revival', 'Discography', 'See also', 'References'], ['History', 'Legality', 'Ethics', 'Media', 'See also', 'References', 'Further reading', 'Life', 'Early years, 1548–1576', 'First years of wandering, 1576–1583', 'England, 1583–1585', 'Last years of wandering, 1585–1592', 'Imprisonment, trial and execution, 1593–1600', 'Physical appearance', 'Cosmology', 'Contemporary cosmological beliefs', "Bruno's cosmological claims", 'Trials', 'Executions', 'Aftermath', 'Accusations of state conspiracy', 'Bonfire Night', 'Reconstructing the explosion', 'See also', 'References'], ['Infant mortality rate', 'Life expectancy', 'Marriage and fertility', 'Marital status', 'Fertility rate', 'Religion', 'See also', 'References'], ['Probabilistic nature', 'Formulas for half-life in exponential decay', 'Decay by two or more processes', 'Examples', 'In non-exponential decay', 'In biology and pharmacology', 'See also', 'References'], ['Chevrolet-based models', 'Daewoo-based models', 'Isuzu-based models', 'Suzuki-based models', 'Corporate affairs and identity', 'Exports', 'Leadership', 'Sales', 'Motorsport', 'See also', 'Rescue of Prometheus', "Heracles' constellation", "Heracles' sack of Troy", 'Colony at Sardinia', 'Other adventures', 'Death', 'Lovers', 'Women', 'Marriages', 'Affairs', 'Contests and prizes', 'The Graduate and Undergraduate Hopwood Contest', 'Summer Hopwood Contest', 'Classical Hexameter', 'Application', 'See also', 'Notes', 'References'], ['History', 'Design details', 'Features', 'Operating mechanism', 'Accessories', 'Barrel accessories', 'Receiver', 'Handguard', 'Variants', 'Clothing', 'Cuisine', 'Sports and recreation', 'See also', 'Notes', 'References', 'Bibliography'], ['Time', 'Numbers', 'Days of the week', 'Months of the year', 'See also', 'Notes', 'References', 'Bibliography'], ['Description', 'Constitutive equation', 'Circuit equivalence at short-time limit and long-time limit', "Lenz's law", 'Energy stored in an inductor', 'Derivation', 'Ideal and real inductors', 'Q factor', 'Applications', 'Inductor construction', 'Advantages', 'Disadvantages', 'Litmus tests', 'List of frequently used interpreted languages', 'Languages usually compiled to bytecode', 'See also', 'Citation', 'References', 'References'], ['Basic features', 'Personal life', 'Bibliography', 'References'], ['Anti-fascism', 'Anti-Peronism', 'Military junta', 'Works', 'Hoaxes and forgeries', "Criticism of Borges' work", 'Sexuality and perception of women', 'Nobel Prize omission', 'Fact, fantasy and non-linearity', 'Borgesian conundrum', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'Economic policies', 'Agriculture policies', 'Social policies', 'Education', 'Hindu Marriage law', 'Reservations for socially-oppressed communities', 'Language policy', 'Foreign policy', 'The Commonwealth', 'Non-aligned movement', 'References', 'History', 'Early academic networks', 'Paleolithic', 'Neolithic', 'Iron Age', 'Swahili culture and trade', 'Portuguese and Omani influences', '19th century history', 'British rule (1895–1963)', 'East Africa Protectorate', 'First World War']]



['Wikipedia: Daniel Ortega', 'Wikipedia: Danny Kaye', 'Wikipedia: Entertainment', 'Wikipedia: Eocene', 'Wikipedia: Elijah', 'Wikipedia: Enthalpy', 'Wikipedia: Surnames by country', 'Wikipedia: Gerald Schroeder', 'Wikipedia: Geography of Albania', 'Wikipedia: Gelatin', 'Wikipedia: Politics of Hong Kong', 'Wikipedia: Humus', 'Wikipedia: Hank Greenberg', 'Wikipedia: Timeline of Polish history', 'Wikipedia: Music of India', 'Wikipedia: Ice-T', 'Wikipedia: Intifada', 'Wikipedia: Jerusalem', 'Wikipedia: John Harrison']
[['References', 'Further reading', 'Early life', 'Early years', 'Career', 'Career in music', 'Imitations', 'Other endeavors', 'References', 'Further reading'], ['Composition and conventions', 'Form', 'References', 'Bibliography'], ['Scientific use', 'Classical mechanics', 'Biology', 'Earth sciences', 'Quantum mechanics', 'Relativity', 'Transformation', 'Conservation of energy and mass in transformation', 'Reversible and non-reversible transformations', 'Conservation of energy', 'Timeline', 'Historicity', 'See also', 'References', 'Further reading'], ['Color', 'Clarity', 'Treatments', 'Emerald mines', 'Origin determinations', 'Synthetic emerald', 'In culture and lore', 'Notable emeralds', 'Gallery', 'See also', 'Contemporary criticism of Haeckel: Michael Richardson and Stephen Jay Gould', "Haeckel's proponents (past and present)", "The survival and reproduction of Haeckel's embryo drawings", 'See also', 'References', 'Further reading', 'National space organisations of member states', 'NASA', 'Cooperation with other space agencies', 'International Space Station', 'Languages', 'Facilities', 'ESA and the EU institutions', 'Guaranteeing European access to space', 'Incidents', 'See also', 'Voice', 'Syntax', 'Word order', 'Vocabulary', 'Numerals', 'See also', 'References', 'Further reading'], ['Organisations'], ['English-speaking countries', 'Ireland, Isle of Man, and Scotland', 'Content', 'Technical design', 'Distributed storage and caching of data', 'Network', 'Protocol', 'Effect', 'Keys', 'Scalability', 'Darknet versus Opennet', 'Tools and applications', 'Designated Engineering Representative', 'Designated Airworthiness Representative (DAR)', 'Continued Airworthiness Notification to the International Community (CANIC)', 'Notable CANICs', 'Proposed regulatory reforms', 'FAA reauthorization and air traffic control reform', 'See also', 'References'], ['Psychological effects, sexual function', 'Distribution', 'Household surveys', 'Type of FGM', 'Prevalence', 'Rural areas, wealth, education', 'Age, ethnicity', 'Reasons', 'Support from women', 'Social obligation, poor access to information', 'Cambodia', 'India', 'Indonesia', 'Japan', 'Korea', 'Malaysia', 'Nepal', 'Philippines', 'Taiwan', 'Latin America', 'Media', 'Cuisine', 'Sports', 'See also', 'Notes', 'References', 'Sources'], ['2010–2018 government debt crisis', 'Historical Debt', 'Evolution of the debt crisis', 'Effects of the bailout programmes on the debt crisis', 'Data', 'Primary sector', 'Agriculture and fishery', 'Secondary sector', 'Industry', 'Mining', 'Offshore geotechnical engineering', 'Geosynthetics', 'Observational method', 'See also', 'Notes', 'References'], ['Education', 'Aliyah to Israel', 'Religious views and scientific theories', 'Personal', 'Prizes', 'Works', 'Borders', 'Physical geography', 'Topography', 'Retrospective views of Bruno', 'Late Vatican position', 'A martyr of science', 'Theological heresy', 'Artistic depictions', 'References in poetry', 'Appearances in fiction', 'Giordano Bruno Foundation', 'Giordano Bruno Memorial Award', 'Astronomical objects named after Bruno', 'Characteristics', 'Properties', 'Composition', 'Research', 'Overview', 'The three branches', 'Executive branch', 'Legislative branch', 'Description', 'Humification', 'Stability', 'Horizons', 'Notes', 'References'], ['Men', 'Children', 'Consorts and children', 'Heracles around the world', 'Rome', 'Egypt', 'Other cultures', 'Uses of Heracles as a name', 'Ancestry', 'See also', 'Hopwood Underclassmen Contest', 'Hopwood Program', 'Prizes Administered by the Hopwood Program', 'Notable Hopwood Winners', 'See also', 'Notes'], ['5th century', '6th century', '7th century', '8th century', '9th century', 'Training', 'Semi-auto', 'Suppressed', 'MP5K', 'Larger caliber', 'List', 'Civilian', 'Foreign copies', 'Manufacturers', 'Users', 'History', 'Pre-history', 'Paleolithic', 'Neoolithic', 'Indus River valley Civilization', 'Early life', 'High school, early criminal activity, military service', 'Career', 'Music', 'Shielded inductors', 'Types', 'Air-core inductor', 'Radio-frequency inductor', 'Ferromagnetic-core inductor', 'Laminated-core inductor', 'Ferrite-core inductor', 'Powdered-iron-core inductor', 'Toroidal-core inductor', 'Variable inductor', 'Etymology', 'History', 'List of events named Intifada', 'See also', 'References', 'Biological role', 'Diversity', 'Classification by gating', 'Voltage-gated', 'Ligand-gated (neurotransmitter)', 'Lipid-gated', 'Other gating', 'Classification by type of ions', 'Classification by cellular localization', 'Other classifications', 'History', 'Company name', 'Key employees', 'Former key employees', 'Timeline', 'Game development', 'Technology', 'Linux gaming', 'Games', 'Culture and Argentine literature', 'Martín Fierro and Argentine tradition', 'Argentine culture', 'Multicultural influences', 'Influences', 'Modernism', 'Mathematics', 'Philosophy', 'Notes', 'References', 'References'], ['Names: history and etymology', 'Defence and nuclear policy', 'Defending Kashmir', 'China', 'United States', 'Goa', 'Sino-Indian War of 1962', 'Assassination attempts and security', 'Death', 'Key cabinet members and associates', 'B. R. Ambedkar', 'JANET', 'JIPS and SuperJanet', 'Regions', 'See also', 'References'], ['Kenya Colony', 'Representation', 'Second World War', 'Rural trends', 'Kenya African Union', 'Mau-Mau Uprising', 'Constitutional debates', 'Independence', 'Kenyatta tenure (1963–1978)', 'Foreign policies']]



['Wikipedia: Erie Canal', 'Wikipedia: Embouchure', 'Wikipedia: Formula fiction', 'Wikipedia: French Revolution', 'Wikipedia: Fyodor Dostoevsky', 'Wikipedia: Guatemala City', 'Wikipedia: Gustave Flaubert', 'Wikipedia: Ghost', 'Wikipedia: Hydrogen bond', 'Wikipedia: Henry Rollins', 'Wikipedia: Homeostasis', 'Wikipedia: Henry Middleton', 'Wikipedia: Ionosphere', 'Wikipedia: Jane Austen']
[['Sandinista revolution (1979–1990)', 'In opposition (1990–2007)', '2001 presidential election', '2006 presidential election', 'Second presidency (2007–present)', '2018 unrest', 'Foreign policy', 'Environmental policy', 'Electoral history of Daniel Ortega', 'Controversy', 'Cooking', 'Flying', 'Business ventures', 'Baseball', 'Medicine', 'Charity', 'Death', 'Legacy', 'Personal life', 'Honors', 'Psychology and philosophy', 'History', 'Court entertainment', 'Public punishment', 'Children', 'Forms', 'Banquets', 'Music', 'Games', 'Literature', 'Etymology', 'Geology', 'Boundaries', 'Stratigraphy', 'Palaeogeography', 'Climate', 'Atmospheric greenhouse gas evolution', 'Early Eocene and the equable climate problem', 'Energy transfer', 'Closed systems', 'Open systems', 'Thermodynamics', 'Internal energy', 'First law of thermodynamics', 'Equipartition of energy', 'See also', 'Notes', 'References', 'Biblical accounts', '1st and 2nd Kings', 'Widow of Zarephath', 'Challenge to Baal', 'Mount Horeb', 'Vineyard of Naboth', 'Ahaziah', 'References', 'Further reading'], ['Definition', 'Other expressions', 'Cardinal functions', 'Physical interpretation', 'Relationship to heat', 'Applications', 'Heat of reaction', 'European Union matters', 'References', 'Further reading'], ['Courses and tutorials', 'Online dictionaries', 'Numbers', 'Books', 'Articles', 'Spanish-speaking countries', 'Argentina', 'Chile', 'French-speaking countries', 'German-speaking countries', 'Portuguese-speaking countries', 'Dutch-speaking countries', 'Scandinavia', 'Sweden', 'Finland', 'Communication', 'Utilities', 'Libraries', 'Vulnerabilities', 'Notability', 'Freesite', 'See also', 'Comparable software', 'References', 'Further reading', 'Causes', 'Ancien Régime', 'Financial crisis', 'Estates-General of 1789', 'Religion', 'History', 'Antiquity', 'Europe and the United States', 'Opposition and legal status', 'Colonial opposition in Kenya', 'Growth of opposition', 'United Nations', 'Non-practising countries', 'Overview', 'Oceania', 'Gallery', 'See also', 'References'], ['History', 'Early history', 'Contemporary history', 'Structure and growth', 'Climate', 'Tertiary sector', 'Maritime industry', 'Telecommunications', 'Tourism', 'Trade and investment', 'Foreign investment', 'Trade', 'Transport', 'Energy', 'Taxation and tax evasion', 'Life', 'Early life and education', 'Personal life', 'Writing career', 'Perfectionist style', 'Legacy', 'References'], ['Articles by Gerald L. Schroeder', 'Hydrography', 'Biodiversity', 'Protected areas', 'Climate', 'Physiographic regions', 'Western Lowlands', 'Northern Mountain Range', 'Central Mountain Range', 'Southern Mountain Range', 'See also', 'Other remembrances', 'Works', 'Collections', 'See also', 'Notes', 'References'], ['Digestibility', 'Effects on skin', 'Joint and bone effects', 'Safety concerns', 'Production', 'Pretreatments', 'Hydrolysis', 'Extraction', 'Recovery', 'Uses', 'Judicial branch', 'Major political issues in recent years', 'Right of Abode', '1 July marches and Article 23', 'Universal suffrage', 'Resignation of Tung Chee-hwa and interpretation of Basic Law', 'Political reform package', 'Political Appointments System', 'Inflation relief measures', 'Leung Chin-man appointment', 'Benefits of soil organic matter and humus', 'See also', 'References'], ['Early life', 'Professional baseball', 'Minor leagues', 'Major leagues', 'Early years', 'World War II service', 'Return to baseball', 'Final seasons', 'Management and ownership', 'Personal life', 'Notes', 'References', 'Further reading', 'Primary sources'], ['History', 'Etymology', 'Overview', 'Controls of variables', 'Core temperature', 'Blood glucose', '10th century', '11th century', '12th century', '13th century', '14th century', '15th century', '16th century', '17th century', '18th century', '19th century', 'Gallery', 'See also', 'References', 'Bibliography'], ['Vedic and ancient era', 'Medieval era', 'Nineteenth century', 'Classical music', 'Carnatic music', 'Hindustani music', 'Light classical music', 'Folk music', 'Tamang Selo', 'Bhangra and Giddha', 'Early career (1980–1981)', 'Professional career (1982–present)', 'Acting', 'Television and film', 'Voice acting', 'Other ventures', 'Podcasting', 'Reality television', 'In popular media', 'Style and influence', 'Choke', 'Circuit analysis', 'Reactance', 'Corner frequency', 'Laplace circuit analysis (s-domain)', 'Inductor networks', 'Mutual inductance', 'Inductance formulas', 'See also', 'Notes'], ['History of discovery', 'Geophysics', 'Detailed structure', 'Pharmacology', 'Ion channel blockers', 'Ion channel activators', 'Diseases', 'History', 'Culture', 'See also', 'References'], ['Commander Keen', 'Wolfenstein', 'Doom', 'Quake', 'Rage', 'Other games', 'Other media', 'Controversy', 'Wolfenstein 3D', 'People', 'Further reading', 'Documentaries'], ['Ancient Egyptian sources', 'Etymology', 'Hebrew Bible and Jewish sources', 'Oldest written mention of "Jerusalem"', 'Jebus, Zion, City of David', 'Greek, Roman and Byzantine names', 'Salem', 'Arabic names', 'History', "Overview of Jerusalem's historical periods", 'Vallabhbhai Patel', 'Abul Kalam Azad', 'Jagjivan Ram', 'Morarji Desai', 'Govind Vallabh Pant', 'C. D. Deshmukh', 'Krishna Menon', 'Indira Gandhi', 'Personal life', 'Religion and personal beliefs', 'Early life', 'Longitude problem', 'The first three marine timekeepers', 'The longitude watches', 'The "Jefferys" watch', 'H4', 'Death and memorials', 'Moi regime (1978–2002)', 'Multi-party politics', 'Recent history (2002 to present)', '2002 elections', 'Economic trends', '2007 elections and ethnic violence', 'Demographic trends', 'See also', 'Bibliography', 'History']]



['Wikipedia: Destroyer', 'Wikipedia: Expected value', 'Wikipedia: Field (mathematics)', 'Wikipedia: Fortified wine', 'Wikipedia: Gimp', 'Wikipedia: Geddy Lee', 'Wikipedia: Insulin pump', 'Wikipedia: IDE', 'Wikipedia: Julia Child', 'Wikipedia: Geography of Kenya']
[['Sexual abuse allegations', 'References', 'Citations', 'Sources'], ['Awards and other recognition', 'Filmography', 'Film', 'Television', 'Stage work', 'Selected discography', 'Studio albums', 'Soundtracks', 'Spoken word', 'Compilations', 'Comedy', 'Performance', 'Storytelling', 'Theatre', 'Cinema and film', 'Dance', 'Animals', 'Circus', 'Magic', 'Street performance', 'Large lakes', 'Ocean heat transport', 'Orbital parameters', 'Polar stratospheric clouds', 'Hyperthermals through the Early Eocene', 'Greenhouse to icehouse climate', 'Flora', 'Fauna', 'Mammals', 'Birds', 'Further reading', 'Journals'], ['Departure', 'Final mention: 2nd Chronicles', 'The Christian end of Elijah in Malachi', 'One theory of textual analysis', 'In the Aggadah, Talmud, and extra-canonical books', 'Origin', "Elijah's zeal for God", 'Ecclesiasticus', 'Elijah in Judaism', "Elijah's chair", 'Ambiguity in name', 'Background', 'Proposals and logistics', 'Proposals', 'Engineering requirements', 'Freight boats', 'Passenger boats', 'Construction', 'Route', 'Enlargements and improvements', 'Specific enthalpy', 'Enthalpy changes', 'Open systems', 'Diagrams', 'Some basic applications', 'Throttling', 'Compressors', 'History', 'See also', 'Notes', 'Brass embouchure', 'Farkas embouchure', 'Arban vs. Saint-Jacome', 'Buzzing embouchure', 'Stevens–Costello embouchure', 'Maggio embouchure', 'Tongue-controlled embouchure', 'Woodwind embouchure', 'Flute embouchure', 'See also'], ['Iceland', 'Slavic world', 'Bulgaria', 'Czech Republic and Slovakia', 'Poland', 'Russia', 'South Slavs', 'Endings in -ić and -ič', 'Endings -ov and -ski', 'Slovenia'], ['Production', 'Varieties', 'National Assembly (1789)', 'Constitutional monarchy', 'National Constituent Assembly (Jul. 1789 – Sept. 1791)', 'Storming of the Bastille', 'Abolition of feudalism', 'Declaration of the Rights of Man', "Women's March on Versailles", 'Revolution and the Church', 'Writing the first constitution', 'Intrigues and radicalism', 'North America', 'Europe', 'Criticism of opposition', 'Tolerance versus human rights', 'Comparison with other procedures', 'Cosmetic procedures', 'Intersex children, male circumcision', 'See also', 'Sources', 'Notes', 'Ancestry', 'Childhood (1821–1835)', 'Youth (1836–1843)', 'Career', 'Early career (1844–1849)', 'Siberian exile (1849–1854)', 'Release from prison and first marriage (1854–1866)', 'Second marriage and honeymoon (1866–1871)', 'Volcanic activity', 'Earthquakes', 'Mudslides', 'Piping pseudokarst', 'Demographics', 'Communications', 'Economy and Finance', 'Places of interest by zones', 'Transportation', 'Universities and schools', 'Tax evasion', 'Planned solutions', 'Wealth and standards of living', 'National and regional GDP', 'Welfare state', 'Largest companies by revenue 2018', 'Labour force', 'Working hours', 'Currency', 'Charts gallery', 'Bibliography', 'Major works', 'Adaptations', 'Correspondence (in English)', 'Biographical and other related publications', 'References'], ['Terminology', 'Typology', 'Anthropological context', 'Ghosts and the afterlife', 'Fear of ghosts', 'Common attributes', 'Locale', 'History', 'Ancient Near East and Egypt', 'Classical Antiquity', 'Notes', 'Further reading', 'References', 'Early life', 'Music career', 'Early years', 'Style', 'Rising popularity', 'My Favourite Headache', 'Early history of food applications', 'Culinary uses', 'Cosmetics', 'Other technical uses', 'Dietary restrictions and gelatin substitutes', 'See also', 'References'], ['May 2010 by-election', 'Umbrella Revolution', 'Hong Kong Extradition bill', 'Other political issues since 1997', 'Nationality and citizenship', 'Chinese nationality', 'British nationality', 'Political parties and elections', 'Pro-Beijing (Pro-establishment camp)', 'Pro-democracy (Opposition camp)', 'Bonding', 'Definitions and general characteristics', 'Bond strength', 'Structural details', 'Spectroscopy', 'Theoretical considerations', 'History', 'Hydrogen bonds in small molecules', 'Water', 'MLB honors', 'Other honors', 'Miscellaneous', 'In media', 'Films', 'Books', 'See also', 'Notes', 'References'], ['Early life', 'Music career', 'State of Alert', 'Black Flag', 'Rollins Band and solo releases', 'Musical style', 'As producer', 'Media work', 'Iron levels', 'Copper regulation', 'Levels of blood gases', 'Blood oxygen content', 'Arterial blood pressure', 'Calcium levels', 'Sodium concentration', 'Potassium concentration', 'Fluid balance', 'Blood pH', '20th century', 'The Second Polish Republic (1918–39)', 'Occupation of Poland (1939–45)', "Communist takeover, Polish People's Republic", 'Democratic Republic of Poland', '21st century', 'See also', 'References', 'Further reading'], ['Early life', 'Public career', 'Personal life', 'Descendants', 'References'], ['Bihu and Borgeet', 'Dandiya', 'Haryanvi', 'Himachali', 'Jhumair and Domkach', 'Lavani', 'Manipuri', 'Marfa music', 'Mizo', 'Odissi', 'Personal life', 'Activism', 'Personal disputes', 'LL Cool J', "Soulja Boy Tell 'Em", 'Discography', 'Filmography', 'Film', 'Television', 'Videos', 'References', 'Further reading'], ['Layers of ionization', 'D layer', 'E layer', 'F layer', 'Ionospheric model', 'Persistent anomalies to the idealized model', 'Winter anomaly', 'Equatorial anomaly', 'Equatorial electrojet', 'Ephemeral ionospheric perturbations', 'Organisations', 'Science and technology', 'Biology and medicine', 'John Carmack', 'John Romero', 'Tom Hall', 'Sandy Petersen', 'American McGee', 'References', 'Literature'], ['Biographical sources', 'Life', 'Family', 'Steventon', 'Education', 'Juvenilia (1787–1793)', 'Tom Lefroy', 'Early manuscripts (1796–1798)', 'Bath and Southampton', 'Chawton', 'Age', 'Jerusalem proper', 'Shuafat', 'Prehistory', 'Ancient period', 'Biblical account', 'Classical antiquity', 'Early Muslim period', 'Crusader/Ayyubid period', 'Mamluk period', 'Legacy', 'Commemoration', 'In popular culture', 'Writings', 'Awards', 'See also', 'References', 'Further reading'], ['Subsequent history', 'In literature, television, drama and music', 'See also', 'References', 'Further reading'], ['Primary sources', 'References', 'Geography']]



['Wikipedia: Dan DeCarlo', 'Wikipedia: Erdoğan Atalay', 'Wikipedia: The Elephant 6 Recording Company', 'Wikipedia: Fermentation (disambiguation)', 'Wikipedia: Telecommunications in Greece', 'Wikipedia: Gregory Chaitin', 'Wikipedia: Gymnosphaerid', 'Wikipedia: Gelatin dessert', 'Wikipedia: Economy of Hong Kong', 'Wikipedia: Heinrich Schliemann', 'Wikipedia: Himalia', 'Wikipedia: Ham', 'Wikipedia: Isaac Stern', 'Wikipedia: Janis Joplin']
[['Origins', 'Early designs', 'Torpedo gunboat', 'Development of the modern destroyer', 'Subsequent improvements', 'Early use and World War I', 'Early combat', '1918–1945', 'References', 'Sources'], ['Listen', 'Watch', 'Parades', 'Fireworks', 'Sport', 'Fairs, expositions, shopping', 'Safety', 'Industry', 'Architecture', 'Architecture for entertainment', 'Architecture as entertainment', 'Effects of developments in electronic media', 'Reptiles', 'Insects and arachnids', 'See also', 'Notes', 'References', 'Further reading'], ['History', 'Etymology', 'Notations', 'Definition', 'Finite case', 'Examples', 'Countably infinite case', 'Absolutely continuous case', 'General case', 'Basic properties', "Elijah's cup", 'Havdalah', 'Elijah in Jewish folklore', 'Rabbi Joshua ben Levi', 'Rabbi Eliezer', 'Lilith', 'Elijah in Christianity', 'References in the New Testament', 'John the Baptist', 'Jesus Christ', 'Competition', 'Impact', 'Sunday closing debate', '20th century', 'New York State Canal System', '21st century', 'Old Erie Canal', 'Parks and museums', 'Erie Canalway Trail', 'Locks', 'References', 'Bibliography'], ['Reed instrument embouchure', 'See also', 'References', 'Further reading'], ['Definition', 'Classic definition', 'Alternative definition', 'Examples', 'Rational numbers', '{} & \\frac{a}{b} \\cdot \\left(\\frac{cf}{df} + \\frac{ed}{fd}\\right)', '{} & \\frac{a(cf + ed)}{bdf}', 'Real and complex numbers', 'Constructible numbers', 'Use of feminine surnames in Slovenia', 'Ukraine and Belarus', 'Arabic-speaking countries', 'South Asia', 'India', 'Nepal', 'Pakistan', 'East Asia', 'Vietnam', 'Africa', 'Commandaria wine', 'Madeira wine', 'Marsala wine', 'Mistelle', 'Moscatel de Setúbal', 'Port wine', 'Sherry', 'Vermouth', 'Vins doux naturels', 'Low-end fortified wines', 'Royal flight to Varennes', 'Completing the constitution', 'Legislative Assembly (Oct. 1791 – Sept. 1792)', 'Failure of the constitutional monarchy', 'Constitutional crisis', 'French Revolutionary Wars', 'Colonial uprisings', 'First Republic', 'National Convention (Sept. 1792–95)', 'Execution of Louis XVI', 'References', 'Works cited', 'Further reading', 'Back in Russia (1871–1875)', 'Last years (1876–1881)', 'Death', 'Personal life', 'Extramarital affairs', 'Political beliefs', 'Racial beliefs', 'Religious beliefs', 'Themes and style', 'Legacy', 'Sports', 'Panoramic views of Guatemala City', '1875', '2008', 'International relations', 'International organizations with headquarters in Guatemala City', 'Twin towns — sister cities', 'Notable residents', 'See also', 'Notes and references', 'Unemployment rate', 'Poverty rate', 'References', 'Further reading'], ['Mathematics and computer science', 'Other scholarly contributions', 'Honors', 'Criticism', 'Bibliography', 'References', 'Archaic and Classical Greece', 'Roman Empire and Late Antiquity', 'Middle Ages', 'European Renaissance to Romanticism', 'Modern period of western culture', 'Spiritualist movement', 'Spiritism', 'Scientific view', 'By religion', 'Judaism and Christianity', 'Character', 'Embroidery and crafts', 'Arts and entertainment', 'Science and technology', 'See also', 'Side projects', 'Personal life', 'Equipment used', 'Bass guitars', 'Bass amplification', 'Keyboards and synthesizers', 'Live performances: special equipment', 'Recreating unique sounds', 'Unique stage equipment', 'Awards', 'History', 'Preparation', 'Gelatin shots', 'Gelatin art desserts', 'Gelatin substitutes', 'Political pressure groups and leaders', 'See also', 'References', 'Further reading'], ['Bifurcated and over-coordinated hydrogen bonds in water', 'Other liquids', 'Further manifestations of solvent hydrogen bonding', 'Hydrogen bonds in polymers', 'DNA', 'Proteins', 'Cellulose', 'Synthetic polymers', 'Symmetric hydrogen bond', 'Dihydrogen bond', 'Childhood and youth', 'Career and family', 'Life as an amateur-archaeologist', 'Television', 'Radio and podcast', 'Filmography', 'Film', 'Books and audiobooks', 'Online journalism', 'Spoken word', 'Video games', 'Campaigning and activism', 'Personal life', 'Cerebrospinal fluid', 'Neurotransmission', 'Neuroendocrine system', 'Gene regulation', 'Energy balance', 'Clinical significance', 'Biosphere', 'Predictive', 'Other fields', 'Risk', 'See also', 'History', 'Methods', 'Dry-cured', 'Wet-cured', 'Smoking', 'Rabindra Sangeet (music of Bengal)', 'Rajasthani', 'Sufi folk rock / Sufi rock', 'Uttarakhandi', 'Popular music in India', 'Dance music', 'Movie music', 'Pop music', 'Patriotic music', 'Western music adoption in India', 'Video games', 'As producer', 'Awards and nominations', 'Bibliography', 'References', 'Citations', 'Sources'], ['Official social media links', 'Medical uses', 'Advantages', 'Disadvantages', 'Accessibility', 'History', 'Developments', 'Future developments', 'Dosing', 'Bolus shape', 'Bolus timing', 'X-rays: sudden ionospheric disturbances (SID)', 'Protons: polar cap absorption (PCA)', 'Geomagnetic storms', 'Lightning', 'Applications', 'Radio communication', 'Mechanism of refraction', 'GPS/GNSS ionospheric correction', 'Other applications', 'Measurements', 'Chemistry', 'Computing', 'Places', 'Greek mythology', 'People', 'Given Name', 'Surname', 'See also', 'Biography', 'Music career', 'Ties to Israel', 'Instruments', 'Awards and commemoration', 'Published author', 'Illness and death', 'Posthumous publication', 'Genre and style', 'Reception', 'Contemporaneous responses', '19th century', 'Modern', 'Adaptations', 'Honours', 'Ottoman period (16th–19th centuries)', 'British Mandate (1917–1948)', 'Divided city: Jordanian and Israeli rule (1948–1967)', 'Israeli rule (1967–present)', 'Political status', 'International status', 'Status under Israeli rule', 'Jerusalem as capital of Israel', 'Government precinct and national institutions', 'Jerusalem as capital of Palestine', 'Early life', 'Career', '1962–1965: Early recordings', '1966–1969: Various bands', 'Early life', 'Career', 'World War II', 'Post-war France', 'Media career', 'The French Chef and related books', 'Impact on American households', 'Location', 'Area', 'Land boundaries', 'Coastline', 'Maritime claims', 'Geology', 'Climate', 'Terrain', 'Elevation extremes', 'Rivers']]



['Wikipedia: Dorothy Parker', 'Wikipedia: Debit card', 'Wikipedia: Electric light', 'Wikipedia: Echolocation', 'Wikipedia: Forseti', 'Wikipedia: Transport in Greece', 'Wikipedia: George, Duke of Saxony', 'Wikipedia: Communications in Hong Kong', 'Wikipedia: Hypnos', 'Wikipedia: HIV', 'Wikipedia: Henry Laurens', 'Wikipedia: ISO 3166', 'Wikipedia: Interlingua', 'Wikipedia: June', 'Wikipedia: Demographics of Kenya']
[['Early life and education', 'Algonquin Round Table years', 'Hollywood', 'Later life and death', 'Further reading', 'References'], ['Structure and bonding', 'Nomenclature', 'Trivial name', 'Polyethers', 'Related compounds', 'Physical properties', 'Reactions', 'Ether cleavage', 'Geography', 'Climate', 'Demographics', 'Population', 'Districts', 'Religion', 'Crime', 'Languages', 'Economy', 'Knowledge economy initiatives', 'Types', 'Incandescent light bulb', 'Halogen lamp', 'Fluorescent lamp', "Elijah in the Bahá'i Faith", 'Controversies', 'Miracle of the ravens', 'Fire on Mount Carmel', 'Ascension into the heavens', 'Return', 'Elijah in arts and literature', 'See also', 'Notes', 'References', 'Etymology', 'Uses', 'Medical', 'Antiseptic', 'Antidote', 'Medicinal solvent', 'Pharmacology', 'Recreational', 'Fuel', 'Early life and education', 'Career', 'First compositions', 'Composing for radio, television, and pop artists', 'First film scores', 'The Group and New Consonance', 'Film music genres', 'Comedy', 'Westerns', 'Association with Sergio Leone', 'Navigation using sound', 'Other', 'See also', 'Field of fractions', 'Residue fields', 'Constructing fields within a bigger field', 'Field extensions', 'Algebraic extensions', 'Transcendence bases', 'Closure operations', 'Fields with additional structure', 'Ordered fields', 'Topological fields', 'Indonesia', 'Italy', 'Latvia', 'Libya', 'Lithuania', 'Malta', 'Mongolia', 'Myanmar (Burma)', 'The Philippines', 'Naming customs in the Philippines', 'Early life and career', 'Origin of nucleosynthesis', 'Rejection of the Big Bang', 'Theory of gravity', 'Other controversies', 'Nobel Physics Prizes', 'Media appearances', 'Honours', 'Evaluation', "Coups d'état", 'Exporting the Revolution', 'Media and symbolism', 'Newspapers', 'Symbolism', 'La Marseillaise', 'Guillotine', 'Tricolore cockade', 'Fasces', 'Secondary binders', 'See also', 'Notes', 'References', 'Demons', 'The Brothers Karamazov', 'Bibliography', 'Novels and novellas', 'Short stories', 'Essay collections', 'Translations', 'Personal letters', 'Posthumously published notebooks', 'See also', 'Name', 'History', 'Components', 'GNU as an operating system', 'With kernels maintained by GNU and FSF', 'GNU Hurd', 'Linux-libre', 'With non-GNU kernels', 'Copyright, GNU licenses, and stewardship', 'Logo', 'See also', 'References', 'Rail transport', 'Early career', 'Kodeksi', 'Jutro', 'Bijelo Dugme', 'Guest appearances, collaborations, and business venture', 'Solo career', 'Wedding and Funeral Orchestra', 'Eurovision', 'Musical style', 'Personal', 'Tibet', 'Austronesia', 'East and Central Asia', 'China', 'Japan', 'Americas', 'Mexico', 'United States', 'Depiction in the arts', 'Renaissance to Romanticism (1500 to 1840)', 'Branches of group representation theory', 'Definitions', 'Examples', 'Reducibility', 'Generalizations', 'Set-theoretical representations', 'Representations in other categories', 'See also', 'Rationale', 'History and nomenclature of the time scale', 'Early history', 'Establishment of primary principles', 'Formulation of geologic time scale', 'Naming of geologic periods, eras and epochs', 'Dating of time scales', 'The Anthropocene', 'Table of geologic time', 'Proposed Precambrian timeline', 'Life', 'Marriage and children', 'Portraits', 'Duke of Saxony', 'Opposition to the Reformation', 'FY 2019–20 budget===', 'Trade (selective data for various years)', 'Poverty', 'See also', 'References'], ['History', 'Precursors', 'Origins of modern heraldry', 'Heralds and heraldic authorities', 'Later uses and developments', 'Heraldic achievement', 'Elements of an achievement'], ['Description', 'Family', 'Audio books', 'Guest appearances and collaborations', 'Essays', 'See also', 'References', 'Further reading'], ['Etymology', 'History', 'Subtypes', 'Bandy', 'Field hockey', 'Ice hockey', 'Ice sledge hockey', "In Euripides' tragedy", 'References', 'Sources'], ['Early life and education', 'Marriage and family', 'Political career', 'Later events', 'Death and cremation', 'Legacy and honors', 'Thai music', 'Philippines', 'Fusion with traditional music of other nations', 'Western world music', 'Film music', 'Hip hop and reggae', 'Jazz', 'Musical film', 'Psychedelic and trance music', 'Rock and roll', 'Western Asia', 'Egypt', 'Europe', 'Asia', 'Central Asia', 'East Asia', 'South Asia', 'Southeast Asia', 'Sub-Saharan Africa', 'Image gallery', 'Parts', 'Editions', 'ISO 3166 Maintenance Agency', 'Members', 'Codes beginning with “X”', 'References'], ['Rationale', 'Refactoring', 'Version control', 'Debugging', 'Code search', 'Visual programming', 'Language support', 'Attitudes across different computing platforms', 'Artificial intelligence', 'Web integrated development environment', 'See also', 'History', 'Pre-calculus integration', 'Leibniz and Newton', 'Formalization', 'Historical notation', 'First use of the term', 'Applications', 'Terminology and notation', 'Standard', 'Fan sites and societies', 'Etymology and history', 'Ancient Roman observances', 'Transportation', 'Airport', 'Education', 'Universities', 'Arab schools', 'Culture', 'Media', 'Sports', 'Twin towns and sister cities', 'See also', 'Full Tilt Boogie Band', 'Big Brother & the Holding Company / Full Tilt Boogie', 'Later collections', 'Billboard chart', 'Albums', 'Singles discography', 'Filmography', 'Samples', 'References', 'Further reading', 'Works', 'Television series', 'DVD releases', 'Books', 'Books about Child', 'Films about Child', 'See also', 'References'], ['See also', 'References', 'Ethnic groups']]



['Wikipedia: Evangelicalism', 'Wikipedia: Franc', 'Wikipedia: Faith healing', 'Wikipedia: Gradualism', 'Wikipedia: GRE Physics Test', 'Wikipedia: Giovanni Arduino', 'Wikipedia: Gneiss', 'Wikipedia: Hadron', 'Wikipedia: British Aerospace HOTOL', 'Wikipedia: EFnet', 'Wikipedia: Intensive insulin therapy', 'Wikipedia: Ian McKellen', 'Wikipedia: J. Edgar Hoover', 'Wikipedia: John van Melle', 'Wikipedia: James Beard']
[['Posthumous honors', 'In popular culture', 'Adaptations', 'Bibliography', 'Essays and reporting', 'Short fiction', 'Poetry', 'Plays', 'Screenplays', 'See also', 'Types of debit card systems', 'Online debit system', 'Offline debit system', 'Electronic purse card system', 'Prepaid debit cards', 'Nomenclature', 'Users', 'Advantages', 'Risks', 'Types', 'Peroxide formation', 'Lewis bases', 'Alpha-halogenation', 'Dehydration of alcohols', 'Williamson ether synthesis', 'Ullmann condensation', 'Electrophilic addition of alcohols to alkenes', 'Preparation of epoxides', 'Important ethers', 'See also', 'EIT Co-location', 'Education', 'Primary education', 'Secondary education', 'Higher and adult education', 'Politics', 'Municipal council', 'Municipal executive-', 'Aldermen', 'Mayor', 'LED lamp', 'Carbon arc lamp', 'Discharge lamp', 'Form factors', 'Lamp life expectancy', 'Public lighting', 'Uses other than illumination', 'Circuit symbols', 'See also', 'References', 'Bibliography', 'Anthropology', 'History', 'Folklore and tradition', "Children's literature", "References in the Qur'an"], ['Engine fuel', 'Rocket fuel', 'Fuel cells', 'Household heating', 'Feedstock', 'Solvent', 'Low-temperature liquid', 'Chemistry', 'Chemical formula', 'Physical properties', 'Once Upon a Time in the West and others', 'Association with Sergio Corbucci and Sergio Sollima', 'Other westerns', 'Dramas and political movies', 'Horror', 'Hollywood career', '1970–1985: from Two Mules to Red Sonja', '1986 onward: from The Mission to The Hateful Eight', 'Association with De Palma and Levinson', 'Other notable Hollywood scores', 'Terminology', 'Beliefs', 'Church government and membership', 'Local fields', 'Differential fields', 'Galois theory', 'Invariants of fields', 'Model theory of fields', 'The absolute Galois group', 'K-theory', 'Applications', 'Linear algebra and commutative algebra', 'Finite fields: cryptography and coding theory', 'Romania', 'Turkey', 'References'], ['Fonds', 'Bibliography', 'Non-fiction', 'Science fiction', 'References', 'Further reading'], ['Liberty cap', 'Role of women', 'Prominent women', 'Counter-revolutionary women', 'Economic policies', 'Long-term impact', 'France', 'Religion and charity', 'Economics', 'Constitutionalism', 'Norse Forseti', 'Frisian Fosite', 'In modern culture', 'See also', 'References'], ['References', 'Notes', 'Citations', 'Further reading'], ['Similar projects', 'See also', 'References'], ['Railways', 'Metro', 'Commuter Rail', 'Tram', 'Road transport', 'Highways', 'Bus transport', 'Urban bus transport', 'Intercity and regional bus transport', 'Water transport', 'Political views', 'Controversy', 'Enrico Macias plagiarism lawsuit', '2015 denial of entry into Poland', 'List of film scores', 'Discography', 'With Bijelo dugme', 'Original movies soundtracks', 'Compilations', 'Other albums', 'Victorian/Edwardian (1840 to 1920)', 'Modern era (1920 to 1970)', 'Post-modern (1970–present)', 'Metaphorical usages', 'See also', 'References', 'Bibliography', 'Further reading'], ['References', 'Major content topics', '1. Classical mechanics (20%)', 'See also', 'Notes', 'References', 'Further reading'], ['Character', 'Ancestry', 'See also', 'Bibliography', 'References'], ['Radio', 'Television', 'Terrestrial television', 'TVB', 'HKTVE', 'RTHK', 'Paid television', 'Shield', 'Tinctures', 'Variations of the field', 'Divisions of the field', 'Ordinaries', 'Charges', 'Marshalling', 'Helm and crest', 'Mottoes', 'Supporters and other insignia', 'Hypnos in the Iliad', 'Hypnos in Endymion myth', 'Hypnos in art', 'Words derived from Hypnos', 'See also', 'References'], ['Etymology', 'Properties', 'Baryons', 'Mesons', 'See also', 'References', 'Roller hockey (inline)', 'Roller hockey (quad)', 'Street hockey', 'Other forms of hockey', 'Equipment', 'See also', 'References', 'Further reading', 'Virology', 'Classification', 'Structure and genome', 'Tropism', 'Replication cycle', 'Entry to the cell', 'Replication and transcription', 'Recombination', 'Assembly and release', 'References', 'Further reading', 'Primary sources'], ['Technopop', 'Influence on national music scene', 'Africa', 'Americas', 'Caribbean', 'Latin America', 'North America', 'Asia', 'South Asia', 'Southeast Asia', 'See also', 'References', 'Further reading'], ['Current country codes', 'See also', 'References'], ['History', 'International Auxiliary Language Association', 'Development of a new language', 'Success, decline, and resurgence', 'In the Soviet bloc', 'Interlingua today', 'Community', 'Orthography', 'Interlingua alphabet', 'Collateral orthography', 'References', 'Early life', 'Career', 'Meaning of the symbol dx', 'Variants', 'Interpretations of the integral', 'Formal definitions', 'Riemann integral', 'Lebesgue integral', 'Other integrals', 'Properties', 'Linearity', 'Inequalities', 'Events in June', 'Month-long observances', 'Non-Gregorian observances, 2019', 'Moveable observances, 2020', 'By other date', 'First Monday: June 1', 'First Wednesday: June 3', 'First Friday: June 5', 'First Saturday: June 6', 'First Sunday: June 7', 'Notes', 'References', 'Further reading'], [], [], ['Early life', 'Education', 'Career', 'Personal life', 'Arabs', 'Asians', 'Bantu peoples', 'Cushitic peoples', 'Europeans', 'Nilotic peoples', 'Languages', 'Population', 'Population by province in 2019 census', 'Population by census year']]



['Wikipedia: Dylan Thomas', 'Wikipedia: Ecliptic', 'Wikipedia: Edgar Rice Burroughs', 'Wikipedia: Expressive aphasia', 'Wikipedia: Factorial', 'Wikipedia: French cuisine', 'Wikipedia: Fiorello La Guardia', 'Wikipedia: Gestation', 'Wikipedia: Geneva', 'Wikipedia: Holy orders', 'Wikipedia: Heisuke Hironaka', 'Wikipedia: Hawick', 'Wikipedia: Undernet', 'Wikipedia: John Fink']
[['References', 'Further reading'], ['Online editions', 'Companies', 'Governments', 'Impact of Government-provided bank accounts', 'Consumer protection', 'Financial access', 'Issues with deferred posting of offline debit', 'Internet purchases', 'Debit cards around the world', 'Angola', 'Armenia', 'References', "Sun's apparent motion", 'Relationship to the celestial equator', 'Culture and recreation', 'Cultural institutions', 'Museums', 'Open-air art', 'Light art', 'Music and theatre', 'Recreation', 'Parks', 'Sport', 'Adult-orientated entertainment', 'Biography', 'Early life and family', 'Author', 'Signs and symptoms', 'Manual language and aphasia', 'Overlap with receptive aphasia', 'Causes', 'More common', 'Less common', 'Solvent properties', 'Flammability', 'Natural occurrence', 'Production', 'Ethylene hydration', 'From CO2', 'From lipids', 'Fermentation', 'Cellulose', 'Testing', 'Extensive reuse of his music', 'Association with Quentin Tarantino', 'Composer for Giuseppe Tornatore', 'Television series and last works', 'Live performances', 'Personal life and death', 'Influence', 'Discography', 'Prizes and awards', 'General sources', 'Worship service', 'Education', 'Sexuality', 'Other views', 'Diversity', 'Christian fundamentalism', 'Mainstream varieties', 'Non-conservative varieties', 'History', 'Background', 'Geometry: field of functions', 'Number theory: global fields', 'Related notions', 'Division rings', 'Notes', 'References', 'Origins', 'French franc', 'CFA and CFP francs', 'Comorian franc', 'Belgian franc and Luxembourgish franc', 'Swiss franc and Liechtenstein franc', 'Saar franc', 'Countries that use a franc', 'Countries currently using a franc', 'History', 'Middle Ages', 'Ancien Régime', 'Late 18th century –  early 19th century', 'Late 19th century – early 20th century', 'Mid-20th century – late 20th century', 'Communism', 'Europe, outside France', 'Britain', 'Germany', 'Switzerland', 'Belgium', 'Scandinavia', 'North America', 'Canada', 'United States', 'Early life and career', 'Marriages and family', 'Early political career', 'Elected to Congress', 'President of the Board of Aldermen', 'Immigration', 'In various belief systems', 'Christianity', 'Overview', 'New Testament', 'Early Christian church', 'Catholicism', 'Evangelicalism', 'Christian Science', 'Geology and biology', 'Phyletic gradualism', 'Punctuated gradualism', 'Politics and society', 'Linguistics and language change', 'Morality', 'Christianity', 'Buddhism and other Oriental philosophies', 'Other types', 'Waterways', 'Ports and harbours', 'Merchant Marine', 'Airports', 'Pipelines', 'Major Construction Projects', 'Completed Projects', 'Motorways', 'Projects under construction', 'Future projects', 'Guest performances', 'Honours and awards', 'Annotations', 'References', 'Further reading'], ['Name', 'History', 'Geography', 'Topography', '2. Electromagnetism (18%)', '3. Optics and wave phenomena (9%)', '4. Thermodynamics and statistical mechanics (10%)', '5. Quantum mechanics (12%)', '6. Atomic physics (10%)', '7. Special relativity (6%)', '8. Laboratory methods (6%)', '9. Specialized topics (9%)', 'See also', 'References', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages with short descriptions', 'Human name disambiguation pages', 'Short description is different from Wikidata', 'Etymology', 'Formation', 'Composition', 'Gneissic banding', 'Types', 'Augen gneiss', 'Henderson gneiss', 'Telecommunication industry', 'Telecommunication company', 'Telephone', 'Internet', 'Broadband Internet access', 'Internet censorship in Hong Kong', 'See also', 'References', 'Differencing and cadency', 'Blazon', 'National styles', 'Central and Northern European heraldry', 'Dutch heraldry', 'Gallo-British heraldry', 'Latin heraldry', 'Central and Eastern European heraldry', 'Quasi-heraldic emblems', 'Greek symbols', 'Eastern Christianity', 'Anglicanism', 'Lutheranism', 'Catholicism', 'Process and sequence', "Recognition of other churches' orders"], ['Career', 'Research', 'Monuments', 'Economy', 'Transport', 'Culture and traditions', 'Teri Talk', 'Spread within the body', 'Genetic variability', 'Diagnosis', 'Research', 'Treatment and transmission', 'History', 'Discovery', 'Origins', 'See also', 'References', 'Development', 'Origins', 'American interest and design study', 'Problems and criticism', 'Shutdown', 'Successors', 'Design', 'Overview', 'Engine', 'West Asia', 'Europe', 'Germany', 'UK', 'Oceania', 'Organisations promoting Indian music', 'See also', 'References', 'Further reading'], ['History', 'Characteristics', 'References'], ['Rationale', 'General description', 'Two common regimens: pens, injection ports, and pumps', 'Advantages and disadvantages', 'Semantics of changing care: why "flexible" is replacing "intensive" therapy', 'Treatment devices used', 'References', 'Phonology', 'Pronunciation', 'Stress', 'Phonotactics', 'Loanwords', 'Vocabulary', 'Eligibility', 'Form', 'An illustration', 'Grammar', 'Theatre', 'Popular success', 'Personal life', 'Activism', 'LGBT rights campaigning', 'Charity work', 'Other work', 'Selected credits', 'Stage, filmography, awards and nominations', 'Music', 'Conventions', 'Fundamental theorem of calculus', 'Statements of theorems', 'Second fundamental theorem of calculus', 'Calculating integrals', 'Extensions', 'Improper integrals', 'Multiple integration', 'Line integrals', 'Surface integrals', 'Second Monday: June 8', 'Second Thursday: June 11', 'Second Saturday: June 13', 'Second Sunday: June 14', 'Third Week: June 14–20', 'Monday after the second Saturday: June 15', 'Third Friday: June 19', 'Third Saturday: June 20', 'Summer Solstice in the Northern Hemisphere: June 20', 'Winter Solstice in the Southern Hemisphere: June 20', 'Early life and education', 'Department of Justice', 'War Emergency Division', 'Bureau of Investigation', 'Head of the Radical Division', 'Head of the Bureau of Investigation', 'Early leadership', 'Depression-era gangsters', 'American Mafia', 'Filmography'], ['Foundation', 'Works', 'Archival collection', 'Notes', 'See also', 'References'], ['Fertility and Births (Demographic and Health Surveys)', 'UN population projections', 'Vital statistics', 'Other population statistics', 'Age structure', 'Median age', 'Population growth rate', 'Birth rate', 'Death rate', 'Total fertility rate']]



['Wikipedia: List of explosives used during World War II', 'Wikipedia: Federal Reserve', 'Wikipedia: Greek', 'Wikipedia: Hellenic Armed Forces', 'Wikipedia: Gardnerian Wicca', "Wikipedia: Gambler's fallacy", 'Wikipedia: Transport in Hong Kong', 'Wikipedia: House of Habsburg', 'Wikipedia: HOL', 'Wikipedia: Hammerhead shark', 'Wikipedia: List of Indian musical instruments', 'Wikipedia: DALnet', 'Wikipedia: Interwiki links', 'Wikipedia: Intellivision', 'Wikipedia: Jacques Cousteau', 'Wikipedia: James Alan McPherson']
[['Life and career', 'Early time', '1933–1939', 'Wartime, 1939–1945', 'Broadcasting years 1945–1949', 'American tours, 1950–1953', 'Death', 'Aftermath', 'Poetry', 'Australia', 'Bahrain', 'Belgium', 'Brazil', 'Benin', 'Bulgaria', 'Burkina Faso', 'Canada', 'Consumer protection in Canada', 'Chile', 'Obliquity of the ecliptic', 'Plane of the Solar System', 'Celestial reference plane', 'Eclipses', 'Equinoxes and solstices', 'In the constellations', 'Astrology', 'See also', 'Notes and references'], ['Strijp-S', 'Media', 'Transport', 'Medical care', 'Notable residents', 'Twin towns – sister cities', 'See also', 'References', 'Bibliography'], ['Death', 'Literary career', 'Reception and criticism', 'Selected works', 'Barsoom series', 'Tarzan series', 'Pellucidar series', 'Venus series', 'Caspak series', 'Moon series', 'Common causes', 'Uncommon causes', 'Diagnosis', 'Treatment', 'Melodic intonation therapy', 'Constraint-induced therapy', 'Medication', 'Transcranial magnetic stimulation', 'Treatment of underlying forms', 'Mechanisms of recovery', 'Purification', 'Distillation', 'Molecular sieves and desiccants', 'Membranes and reverse osmosis', 'Other techniques', 'Grades of ethanol', 'Denatured alcohol', 'Absolute alcohol', 'Rectified spirits', 'Reactions', 'Notes', 'References', 'Further reading'], ['18th century', '19th century', '20th century', '21st century', 'Global statistics', 'Africa', 'East African Revival', 'Latin America', 'Brazil', 'Guatemala', 'History', 'Definition', 'Factorial of zero', 'Applications', 'Rate of growth and approximations for large', 'Computation', 'Number theory', 'See also', 'References'], ['National cuisine', 'Regional cuisine', 'Paris and Île-de-France', 'Champagne, Lorraine, and Alsace', 'Nord Pas-de-Calais, Picardy, Normandy, and Brittany', 'Loire Valley and central France', 'Burgundy and Franche-Comté', 'Auvergne-Rhône-Alpes', 'Poitou-Charentes and Limousin', 'Bordeaux, Périgord, Gascony, and Basque country', 'Historiography', 'See also', 'References', 'Citations', 'Sources', 'Further reading', 'Surveys and reference', 'European and Atlantic History', 'Politics and wars', 'Economy and society', 'Return to Congress', 'Foreign policy', 'A voice for the people', 'Prohibition', 'Defeats in 1929 and 1932', 'Mayor of New York', '1933 election', 'Agenda', 'African-American politics', 'Ethnic politics', 'The Church of Jesus Christ of Latter-day Saints', 'Islam', 'Scientology', 'Scientific investigation', 'Criticism', 'Negative impact on public health', 'Christian theological criticism of faith healing', 'Fraud', 'Miracles for sale', 'United States law', 'See also', 'References', 'Greece', 'See also', 'References'], ['Mammals', 'Humans', 'Non-mammals', 'See also', 'References'], ['Climate', 'Politics', 'Coat of arms', 'Administrative divisions', 'Government', 'Parliament', 'Elections', 'National Council', 'International relations', 'Demographics'], ['Beliefs and practices', 'Covens and initiatory lines', 'Examples', 'Coin toss', 'Why the probability is 1/2 for a fair coin', 'Other examples', 'Reverse position', "Retrospective gambler's fallacy", 'Lewisian gneiss', 'Archean and Proterozoic gneiss', 'See also', 'References', 'Citations', 'Bibliography'], ['Automated pedestrian transport', 'Escalators and moving pavements', 'Rail transport', 'Mass Transit Railway', 'Tramways', 'Mon', 'Socialist heraldry', 'Tamgas', 'Tughras', 'Modern heraldry', 'See also', 'Footnotes', 'References', 'Citations', 'Sources', 'Marriage and holy orders', 'Other concepts of ordination', 'Methodist churches', 'Congregationalist churches', 'Latter Day Saint Movement', 'The Church of Jesus Christ of Latter-day Saints', 'Community of Christ', 'Ordination of women', 'Ordination of LGBT clergy', 'Awards', 'Personal life', 'List of books available in English', 'See also', 'References'], ['Sports', 'Hawick balls', 'Tourism', 'Town twinning', 'Notable residents', 'Arts', 'Journalism', 'Science', 'Politics and public life', 'See also', 'Further reading'], ['Art and entertainment', 'See also', 'References', 'Citations', 'Bibliography', 'Notes'], ['Chordophones', 'Plucked strings', 'Bowed strings', 'History', 'Services', 'References'], ['Syntax', 'Implementation', 'See also', 'Internal links', 'Interwiki links', 'Public opinions', 'Samples', 'Flags and symbols', 'See also', 'References', 'Sources'], ['Audiobooks', 'References', 'Sources'], ['Contour integrals', 'Integrals of differential forms', 'Summations', 'Computation', 'Analytical', 'Symbolic', 'Numerical', 'Mechanical', 'Geometrical', 'See also', 'Saturday between June 20–25: June 20', 'Saturday nearest Summer Solstice: June 20', 'Third Sunday: June 21', 'Monday Nearest to June 24: June 21', 'Last Thursday: June 25', 'Friday following Third Sunday: June 26', 'Last Saturday: June 27', 'Last Sunday: June 28', 'Fixed Gregorian observances', 'June symbols', 'Investigation of subversion and radicals', 'Florida and Long Island U-boat landings', 'Illegal wire-tapping', 'Concealed espionage discoveries', 'Plans for suspending habeas corpus', 'COINTELPRO and the 1950s', 'Reaction to civil rights groups', 'Late career and death', 'Legacy', 'Private life', 'Biography', 'Early years', 'Early 1940s: innovation of modern underwater diving', 'Late 1940s: GERS and Élie Monnier', '1950–1970s', 'Life and work', 'Early life and education', 'Career', 'Recognition', 'Death', 'Works', "Mother's mean age at first birth", 'Contraceptive prevalence rate', 'Net migration rate', 'Religions', 'Dependency ratios', 'Urbanization', 'Life expectancy at birth', 'Literacy', 'School life expectancy (primary to tertiary education)', 'Health']]



['Wikipedia: List of former sovereign states', 'Wikipedia: Helsingør', 'Wikipedia: Ephesus', 'Wikipedia: Erlang (unit)', 'Wikipedia: Francis Fukuyama', 'Wikipedia: Furry', 'Wikipedia: Germanic languages', 'Wikipedia: Gamma function', 'Wikipedia: Gro Harlem Brundtland', 'Wikipedia: Heretic (video game)', 'Wikipedia: Homer', 'Wikipedia: Hatfield, Hertfordshire', 'Wikipedia: Hostile witness', 'Wikipedia: Inverse function', 'Wikipedia: Isle of Wight', 'Wikipedia: Zionist political violence', 'Wikipedia: July', 'Wikipedia: Jerome K. Jerome', 'Wikipedia: Politics of Kenya']
[['Poetic style and influences', 'Welsh poet', 'Critical reception', 'Memorials', 'List of works', 'Correspondence', 'Posthumous film adaptations', 'Opera adaptation', 'See also', 'Footnotes', 'Colombia', "Côte d'Ivoire", 'Denmark', 'Finland', 'France', 'Liability and e-cards', 'Germany', 'Greece', 'Hong Kong', 'Hungary', 'List of President of Gotlandia', 'Criteria for inclusion', 'Ancient and medieval states', 'History', 'Transport', 'Industrialisation', 'Mucker series', 'Other science fiction', 'Jungle adventure novels', 'Western novels', 'Historical novels', 'Other works', 'See also', 'Notes', 'References', 'Bibliography', 'Prognosis', 'History', 'See also', 'References', 'Sources'], ['Ester formation', 'Dehydration', 'Combustion', 'Acid-base chemistry', 'Halogenation', 'Oxidation', 'Safety', 'History', 'See also', 'References', 'See also', 'Traffic measurements of a telephone circuit', 'Asia', 'South Korea', 'Philippines', 'Europe', 'France', 'Great Britain', 'United States', 'Evangelical humanitarian aid', 'Controversies', 'See also', 'Series of reciprocals', 'Factorial of non-integer values', 'The gamma and pi functions', '{} & \\sqrt{\\pi} \\prod_{k1}^n \\frac{2k - 1}{2} =', 'Applications of the gamma function', 'Factorial in the complex plane', 'Approximations of the factorial', 'Non-extendability to negative integers', 'Factorial-like products and functions', 'Double factorial', 'Purpose', 'Addressing the problem of bank panics', 'Check clearing system', 'Lender of last resort', 'Fluctuations', 'Central bank', 'Federal funds', 'Bank regulation', 'Government regulation and supervision', 'Regulatory and oversight responsibilities', 'Toulouse, Quercy, and Aveyron', 'Roussillon, Languedoc, and Cévennes', "Provence-Alpes-Côte d'Azur", 'Corsica', 'French Guiana', 'Specialties by season', 'Foods and ingredients', 'Structure of meals', 'Breakfast', 'Lunch', 'Women', 'Historiography and memory', 'Primary sources'], ['Crime', 'Public works', '1939', 'New York City Center', 'Reform', 'Germany', 'Gemma La Guardia Gluck', 'World War II', 'Later life and death', 'Legacy', 'Reckless homicide convictions', 'See also', 'Notes', 'References', 'Bibliography'], ['Other uses', 'See also', 'Modern status', 'History', 'General information', 'Conscription', 'Budget', 'Military personnel', 'International operations', 'Component forces and their organization', 'Hellenic National Defense General Staff', 'Hellenic Army', 'Hellenic Navy', 'Motivation', 'Definition', 'Main definition', 'Alternative definitions', 'Population', 'Historical population', 'Religion', 'Protestant Rome', 'Crime', 'Cityscape', 'Heritage sites of national significance', 'Society and culture', 'Media', 'Traditions and customs', 'Theology', 'Ethics and morality', 'Algard Wicca', 'History', 'Gardner and the New Forest coven', 'Reconstruction of the Wiccan rituals', 'Bricket Wood and the North London coven', 'References'], ['Childbirth', 'Monte Carlo Casino', 'Non-examples', 'Non-independent events', 'Bias', 'Changing probabilities', 'Psychology', 'Origins', 'Variations', 'Relationship to hot-hand fallacy', 'Early life', 'Political career', 'Prime Minister of Norway', 'International career', 'Assassination attempt', 'Personal life', 'Funicular railways', 'Airport people-mover system', 'Cross-border trains', 'Road transport', 'Buses', 'Public light buses', 'Taxis', 'Private cars', 'Bicycles', 'Motorcycles'], ['Plot', 'Gameplay', 'Footnotes', 'Print resources', 'Further reading'], ['Principal roles', 'History', 'Counts of Habsburg', 'Kings of the Romans and consolidation in the Eastern Alps', 'Holy Roman emperors', 'Division of the house: Spanish and Austrian Habsburgs', 'Inbreeding', 'References', 'Further reading'], ['People', 'Places', 'Science and technology', 'Sport', 'Other uses', 'Description', 'Taxonomy and evolution', 'Cephalofoil', 'Reproduction', 'Diet', 'Species', 'Relationship with humans', 'Other string instruments', 'Aerophones', 'Single reed', 'Double reed', 'Flute', 'Bagpipes', 'Free reed', 'Free reed and bellows', 'Brass', 'Membranophones', 'History', 'Characteristics', 'References'], ['References'], ['Definitions', 'History', 'Palaeolithic Isle of Wight', 'Mesolithic Isle of Wight', 'Neolithic Isle of Wight', 'Bronze and Iron Age Isle of Wight', 'Roman Isle of Wight', 'History and development', 'Master Component', 'Software', 'Keyboard Component', 'Entertainment Computer System (ECS)', 'Intellivoice', 'Intellivision II', 'Intellivision IV', 'Intellivision III', 'References', 'Bibliography'], ['Online books', 'References', 'July symbols', 'Observances', 'Pets', 'Sexuality', 'Hoover and Tolson', 'Other romantic allegations', 'Pornography for blackmail', 'Cross-dressing story', 'The Lavender Scare', 'Supportive friends', 'Written works', 'Honors', '1980–1990s', 'Death', 'Honors', 'Legacy', 'Religious views', 'Filmography', 'Legend', 'Bibliography', 'Media portrayals', 'See also', 'Notes', 'References', 'Early life', 'Religion', 'See also', 'References'], []]



['Wikipedia: Fern Hill', 'Wikipedia: Eugène Viollet-le-Duc', 'Wikipedia: Eric Clapton', 'Wikipedia: Flag', 'Wikipedia: Fritz Lang', 'Wikipedia: Foreign relations of Greece', 'Wikipedia: Greenwich Mean Time', 'Wikipedia: Gilbert Plains', 'Wikipedia: Gregory of Nazianzus', 'Wikipedia: Hall effect', 'Wikipedia: BitchX', 'Wikipedia: J. Philippe Rushton']
[['Notes', 'References', 'Bibliography', 'Further reading'], ['India', 'Indonesia', 'Iraq', 'Ireland', 'Israel', 'Italy', 'Japan', 'Kuwait', 'Malaysia', 'Mali', 'Modern states and territories by geography', 'Africa', 'Morocco (Maghreb al-Aksa)', 'Egypt, Sudan and Libya', 'Modern Algeria (Central Maghreb)', 'Comoro Islands', 'Madagascar', 'Sub-Saharan Africa', 'Horn of Africa', 'Western Africa', 'Post-industrialisation', 'Architecture', 'Notable people', 'Public Service & public thinking', 'The Arts', 'Science & business', 'Sport', 'Districts', 'International relations', 'Twin towns – sister cities', 'Further reading'], ['Youth and education', 'History', 'Neolithic age', 'Bronze Age', 'Period of Greek migrations', 'Archaic period', 'Classical period', 'Hellenistic period', 'Further reading'], ['Early life', "Erlang's analysis", 'Calculating offered traffic', 'Erlang B formula', 'Extended Erlang B', 'Erlang C formula', 'Limitations of the Erlang formula==', 'See also', 'References', 'Tools'], ['Notes', 'References', 'Citations', 'Sources', 'Further reading', 'Missions'], ['Primorial', 'Superfactorial', 'Pickover’s superfactorial', 'Hyperfactorial', 'See also', 'References', 'Sources', 'Further reading'], ['National payments system', 'Structure', 'Board of governors', 'List of members of the board of governors', 'Nominations, confirmations and resignations', 'Federal Open Market Committee', 'Federal Advisory Council', 'Federal Reserve Banks', 'Legal status of regional Federal Reserve Banks', 'Member banks', 'Dinner', 'Beverages and drinks ==', 'Christmas', 'Food establishments', 'Restaurant staff', 'See also', 'References', 'Further reading'], ['Early life', 'Education', 'Scholarship', 'The End of History and the Last Man', 'The Origins of Political Order', 'Political Order and Political Decay: From the Industrial Revolution to the Present Day', 'Other works', 'Political views', 'Neoconservatism', 'Memorials', 'See also', 'Notes', 'References', 'Further reading'], ['See also', 'West Germanic languages', 'North Germanic languages', 'Statistics', 'History', 'Distinctive characteristics', 'Linguistic developments', 'Common linguistic features', 'Phonology', 'Table of outcomes', 'Morphology', 'Hellenic Air Force', 'See also', 'References'], ["Euler's definition as an infinite product", "Weierstrass's definition", 'In terms of generalized Laguerre polynomials', 'Properties', 'General', 'Inequalities', "Stirling's formula", 'Residues', 'Minima', 'Integral representations', 'Music and festivals', 'Education', 'Economy', 'Sport', 'Infrastructure', 'Transportation', 'Utilities', 'International organisations', 'Notable people', 'A–C', 'History', 'Ambiguity in the definition of GMT', 'GMT in legislation', 'United Kingdom', 'Neurophysiology', 'Possible solutions', 'Users', 'See also', 'References', 'Health issues', 'Honours', 'References', 'Further reading'], ['Cross-border buses', 'Maritime transport', 'Ferries', 'Internal routes', 'External routes', 'Public transport statistics', 'Air transport', 'Aeroplanes', 'Helicopters', 'Aerial lift transport', 'Development', 'Release', 'Shadow of the Serpent Riders', 'Source release', 'Reception', 'Legacy', 'References'], ['Works attributed to Homer', 'Ancient literary works about Homer', 'Fiction', 'Ancient biographies of Homer', 'History of Homeric scholarship', 'Ancient', 'Modern', 'Contemporary', 'Historicity of the Homeric epics and Homeric society', 'Extinction of the Spanish Habsburgs', 'Extinction of the Austrian Habsburgs', 'Habsburg-Lorraine', 'Family tree', 'Ancestors of the Habsburgs', 'Early Habsburgs', 'Middle Habsburgs', 'Later Habsburgs', 'Monarchs of the House of Habsburg', 'Ancestors', 'History', 'Early history', 'Aerospace industry', 'New Town', 'Sport', 'Governance', 'Climate', 'Culture and recreation', 'Education', 'Places of interest', 'Process', 'Australia', 'New Zealand', 'References'], ['In captivity', 'Protection', 'Cultural significance', 'See also', 'References'], ['Hand drums', 'Hand frame drums', 'Stick and hand drums', 'Stick drums', 'Idiophones', 'Melodic', 'Electronic', 'Sound samples', 'See also', 'References', 'Security', 'See also', 'References'], ['Example: Squaring and square root functions', 'Inverses in higher mathematics', 'Inverses and composition', 'Notation', 'Properties', 'Uniqueness', 'Symmetry', 'Self-inverses', 'Inverses in calculus', 'Formula for the inverse', 'Early Medieval period', 'High Medieval period', 'Late Medieval period', 'Early modern period', 'Modern history', 'Etymology', 'Geography', 'Geology', 'Climate', 'Wildlife', 'Competition and market crash', 'INTV Corporation (1984–1990)', 'Tutorvision', 'Intellivision productions (1997 to 2018)', 'Intellivision Lives!', 'Licensing Intellivision Games', 'Intellivision Flashback', 'Intellivision Entertainment', 'Reviews and game guides', 'Innovations', 'Impact', 'Main occurrences', 'Condemnation as terrorism', 'Jewish public opinion', 'Selected Irgun, Haganah and Lehi attacks', 'See also', 'References', 'Further reading', 'Month-long observances', 'Non-Gregorian observances, 2019', 'Movable observances, 2020', 'First Friday: July 3', 'First Saturday: July 4', 'First Saturday and Sunday: July 4–5', 'First Sunday: July 5', 'Sunday closest to 2 July: July 5', 'First full week in July: July 5–11', 'First Monday: July 6', 'Theater and media portrayals', 'See also', 'References', 'Citations', 'Bibliography', 'Further reading'], ["Jacques-Yves Cousteau's ships", 'References', 'Further reading'], ['Acting career and early literary works', 'Three Men in a Boat and later career', 'World War I and last years', 'Legacy', 'Bibliography', 'See also', 'References'], ['Executive branch', 'Legislative branch', 'Political parties and elections', 'Judicial branch', 'Administrative divisions', 'Political conditions', 'International organisation participation', 'References', 'Further reading']]



['Wikipedia: David Bowie', 'Wikipedia: European route E4', 'Wikipedia: Eligible receiver', 'Wikipedia: Euphonium', 'Wikipedia: Cinema of Germany', 'Wikipedia: Five-spice powder', 'Wikipedia: Hexen: Beyond Heretic', 'Wikipedia: Henry I of England', 'Wikipedia: IRIX', 'Wikipedia: MIRC', 'Wikipedia: Imperialism', 'Wikipedia: Lists of airports', 'Wikipedia: James Thurber', 'Wikipedia: Takamine Jōkichi', 'Wikipedia: Economy of Kenya']
[['Linguistic considerations', 'Legacy', 'References'], ['Mexico', 'Netherlands', 'New Zealand', 'Nigeria', 'Philippines', 'Poland', 'Portugal', 'Russia', 'Saudi Arabia', 'Senegal', 'African Great Lakes', 'Eastern Africa', 'Central Africa', 'Southern Africa', 'Asia', 'Central Asia', 'East Asia', 'Korean Peninsula', 'West Asia', 'Afghanistan', 'In fiction and popular culture', 'See also', 'References'], ['First architectural restorations', 'Sainte-Chapelle and Amboise', 'Notre-Dame de Paris', 'Saint Denis and Amiens', 'Imperial projects: Carcassonne, Vincennes and Pierrefonds', 'End of the Empire and of Restoration', 'Later life – author and theorist', 'National Museum of French Monuments and final years', 'Family', 'Doctrine', 'Roman period', 'The Roman population', 'Byzantine era (395–1308 AD)', 'Ottoman era', 'Ephesus and Christianity', 'Main sites', 'Seven Sleepers', 'Archaeology', 'Notable persons', 'See also', 'Career', 'Early career, breakthrough, and international success', 'The Yardbirds and the Bluesbreakers', 'Cream', 'Blind Faith, Delaney and Bonnie and Friends', '"Layla" and solo career', 'Derek and the Dominos', 'Personal problems and early solo success', 'Continued success', '1990s', 'College football', 'Professional football', 'High school', 'Name', 'History and development', 'Construction and general characteristics', 'Types', 'Compensating', 'Double-bell', 'History', '1895–1918 German Empire', '1918–1933 Weimar Republic', '1933–1945 Nazi Germany', 'Accountability', 'Monetary policy', 'Interbank lending', 'Tools', 'Federal funds rate and open market operations', 'Repurchase agreements', 'Discount rate', 'Reserve requirements', 'New facilities', 'Term auction facility', 'Ingredients', 'Use', 'See also', 'References', 'Current views', 'Affiliations', 'Personal life', 'Selected bibliography', 'Scholarly works (partial list)', 'Books', 'Essays', 'See also', 'References'], ['History', 'National flags', 'Civil flags', 'War flags', 'International flags', 'At sea', 'Shapes and designs', 'Life and career', 'Early life', 'Expressionist films: the Weimar years (1918–1933)', 'Emigration', 'Hollywood career (1936–1957)', 'Death and legacy', 'Preservation', 'Filmography', 'Awards', 'Strong vs. weak nouns and adjectives', 'Diachronic', 'Contemporary', 'Writing', 'See also', 'Footnotes', 'Notes', 'Sources', 'Germanic languages in general', 'Proto-Germanic', 'Overview', 'Disputes', 'Cyprus dispute', 'Aegean claims by Turkey', 'Turkey and the EU', 'Turkish government arson admission', 'Bilateral relations', 'Africa', 'The Americas', 'Fourier series expansion', "Raabe's formula", 'Pi function', 'Relation to other functions', 'Particular values', 'The log-gamma function', 'Integration over log-gamma', 'Approximations', 'Applications', 'Integration problems', 'D–G', 'H–M', 'N-R', 'S–Z', 'See also', 'Notes and references', 'Bibliography'], ['Other countries', 'Time zone', 'Discrepancies between legal GMT and geographical GMT', 'Countries and areas west of 22°30\'W ("physical" UTC−2) that use UTC', 'Countries and areas west of 7°30\'W ("physical" UTC−1) that use UTC', 'Countries (mostly) between meridians 7°30\'W and 7°30\'E ("physical" UTC) that use UTC+1', 'See also', 'Notes', 'References'], ['History', 'Geography', 'Media', 'Transportation', 'Climate', 'See also', 'References'], ['Biography', 'Early life and education', 'Priesthood', 'Episcopate in Sasima and Nazianzus', 'Gregory at Constantinople', 'Second Ecumenical Council and retirement to Nazianzus', 'Legacy', 'Theological and other works', 'Cable cars', 'Infrastructure', 'Ports and harbours', 'Airports', 'Heliports', 'Highways', 'Bridges and tunnels', 'Bus lanes', 'Bus termini', 'Pedestrian infrastructure', 'Plot', 'Gameplay', 'Development', 'Engine modifications', 'Source code', 'Homeric language', 'Homeric style', 'Textual transmission', 'See also', 'Notes', 'Selected bibliography', 'Editions', 'Interlinear translations', 'English translations', 'General works on Homer', 'Dukes/Archdukes of Austria', 'Albertine line: Dukes of Austria', 'Leopoldian line: Dukes of Styria, Carinthia, Tyrol (Inner Austria)', 'Leopoldian-Inner Austrian sub-line', 'Leopoldian-Tyrol sub-line', 'Reuniting of Habsburg possessions', 'King of the Romans and Holy Roman Emperors prior to the reunion of the Habsburg possessions', 'Kings of Hungary and Bohemia prior to the reunion of the Habsburg possessions', 'Holy Roman Emperors, Archdukes of Austria', 'Titular Dukes of Burgundy, Lords of the Netherlands', 'Transport', 'Notable residents', 'Business', 'Music and dance', 'Politics, nobility and royalty', 'Religion', 'Science and scholarship', 'Sports', 'Stage, media and film', 'Writing', 'Early life, 1068–1099', 'Childhood and appearance, 1068–86', 'Inheritance, 1087–88', 'Count of the Cotentin, 1088–90', 'Fall and rise, 1091–99', 'Early reign, 1100–06', 'Discovery', 'Theory', 'Hall effect in semiconductors', 'Relationship with star formation', 'Quantum Hall effect', 'Spin Hall effect', 'Quantum spin Hall effect', 'History', 'Features', 'Hobbyist Use', 'History', 'Main features', 'mIRC scripting', 'References', 'Further reading', 'Graph of the inverse', 'Inverses and derivatives', 'Real-world examples', 'Generalizations', 'Partial inverses', 'Left and right inverses', 'Preimages', 'See also', 'Notes', 'References', 'Politics', 'Main towns', 'Culture', 'Language and dialect', 'Identity', 'Hauntings', 'Sport', 'Cycling', 'Rowing', 'Sailing', 'Technical specifications', 'Game controller', 'Peripherals', 'See also', 'References'], ['See also'], ["5 July or following Monday if it's a weekend: July 6", 'Day after first Monday: July 7', 'Second Thursday: July 9', 'Second Sunday: July 12', 'Nearest Sunday to 11 July: July 12', 'Third Monday', 'Third Sunday: July 19', 'Second to last Sunday in July and the following two weeks: July 19-August 1', 'Third Tuesday: July 20', 'Fourth Sunday: July 26', 'Life', 'Move to New York', 'Marriage and family', 'Death', 'Legacy and honors', 'Career', 'Early life and education', 'Later life and career', 'Work and opinions', 'Genetic similarity theory', 'Race and intelligence', 'Application of r/K selection theory to race', 'Dimensional structure of personality', 'Opinions', 'Reception', 'Early life and education', 'Career', 'Japan', 'United States', 'Depiction in film'], ['Economic history', 'Economic planning: Vision 2030']]



['Wikipedia: Ericsson', 'Wikipedia: JavaScript', 'Wikipedia: Enver Hoxha', 'Wikipedia: Fundamental group', 'Wikipedia: Fingerspelling', 'Wikipedia: Food and Drug Administration', 'Wikipedia: German language', 'Wikipedia: Gerard Manley Hopkins', 'Wikipedia: GIF', 'Wikipedia: Gasparo Contarini', 'Wikipedia: Foreign relations of Hong Kong', 'Wikipedia: Hexen II', 'Wikipedia: Hugo Gernsback', 'Wikipedia: Hertfordshire', 'Wikipedia: Internet', 'Wikipedia: HexChat', 'Wikipedia: Inertia', 'Wikipedia: Inclusion body myositis', 'Wikipedia: Jacob Neusner']
[['Early life', 'Music career', '1962–1967: Early career to debut album', '1968–1971: Space Oddity to Hunky Dory', '1972–1974: Ziggy Stardust', '1974–1976: "Plastic soul" and the Thin White Duke', '1976–1979: Berlin era', 'Serbia', 'Singapore', 'Spain', 'Taiwan', 'Togo', 'UAE', 'United Kingdom', 'UEMOA', 'United States', 'FSA, HRA, and HSA debit cards', 'Anatolia', 'Mesopotamia', 'Persia', 'Levant', 'Arabian Peninsula', 'South Asia', 'Southeast Asia', 'Caribbean', 'Anguilla', 'Cuba', 'History and naming', 'Route', 'Detailed route', 'References', 'Gothic vs. Beaux-Arts', 'Controversy', 'Existing buildings designed and constructed by Viollet-le-Duc', 'Partial list of restorations', 'Restorations by Viollet-le-Duc', 'Publications', 'Architectural theory and new building projects', 'Military career and influence', 'Legacy', 'Notes', 'References', 'Sources'], ['Collaboration albums', 'Clapton, Old Sock and I Still Do', 'Influences', 'Legacy', 'Guitars', 'Other media appearances', 'Personal life', 'Relationships and children', 'Political views and controversy', 'Wealth and assets', 'See also', 'References', 'Early life', 'Marching', 'Five valves', 'Notable euphonium players', 'United Kingdom', 'United States', 'Japan', 'Repertoire', 'See also', 'References', 'Explanatory notes', '1945–1989 East Germany', '1945–1989 West Germany', '1945–1960 Reconstruction', '1960–1970 cinema in crisis', '1960–1980 New German Cinema', '1980–1989 popular productions', '1990–Modern Germany', 'German Film Academy', 'Awards', 'Festivals', 'Term securities lending facility', 'Primary dealer credit facility', 'Interest on reserves', 'Term deposit facility', 'Asset Backed Commercial Paper Money Market Mutual Fund Liquidity Facility', 'Commercial Paper Funding Facility', 'Quantitative policy', 'History', 'Central banking in the United States, 1791–1913', 'First Central Bank, 1791 and Second Central Bank, 1816', 'Intuition', 'History', 'Definition', 'Forms of manual alphabets', 'Latin alphabet', 'One-handed', 'Parts of a flag', 'Vertical flags', 'Religious flags', 'Linguistic flags', 'Related flags', 'Pan-Arab colours', 'Pan-Slavic colours', 'The Nordic cross', 'Stars and stripes', 'Red Cross flag', 'References', 'Further reading'], ['Old Norse', 'Old English', 'Old High German'], ['Asia', 'Europe', 'Australia and Oceania', 'Terms', 'North Macedonia', 'Northern Epirus', 'Ecumenical Patriarchate of Constantinople', 'Black Sea', 'International organization participation', 'See also', 'Calculating products', 'Analytic number theory', 'History', '18th century: Euler and Stirling', '19th century: Gauss, Weierstrass and Legendre', '19th–20th centuries: characterizing the gamma function', 'Reference tables and software', 'See also', 'Notes', 'Further reading', 'Early life and family', 'Oxford and priesthood', 'Final years', 'Poetry', '"The sonnets of desolation"', 'History', 'Terminology', 'Pronunciation of GIF', 'Biography', 'Cardinalate', 'The Commonwealth and Government of Venice', 'Influence', 'Relics', 'Death', 'Feast day', 'See also', 'References', 'Citations', 'Sources', 'Further reading'], ['Ports of entry', 'See also', 'References'], ['Music', 'Console versions', 'Deathkings of the Dark Citadel', 'Reception', 'References'], ['Influential readings and interpretations', 'Commentaries', 'Dating the Homeric poems', 'Further reading'], ['King of England', 'Spanish Habsburgs: Kings of Spain, Kings of Portugal (1581–1668)', 'Austrian Habsburgs: Holy Roman Emperors, Kings of Hungary and Bohemia, Archdukes of Austria', 'House of Habsburg-Lorraine, main line: Holy Roman Emperors, Kings of Hungary and Bohemia, Archdukes of Austria', 'House of Habsburg-Lorraine, main line: Emperors of Austria', 'House of Habsburg-Lorraine: Grand dukes of Tuscany', 'House of Habsburg-Lorraine: Tuscany line, post monarchy', 'House of Habsburg-Lorraine (Austria-Este): Dukes of Modena', 'House of Habsburg-Lorraine: Modena line, post monarchy', 'House of Habsburg-Lorraine: Archduchess of Austria, Empress consort of Brazil and Queen consort of Portugal', 'Nearby towns and villages', 'See also', 'References', 'Taking the throne, 1100', 'Marriage to Matilda, 1100', 'Treaty of Alton, 1101–02', 'Conquest of Normandy, 1103–06', 'Government, family and household', 'Government, law and court', 'Relations with the Church', 'Church and the King', 'Personal beliefs and piety', 'Later reign, 1107–35', 'Anomalous Hall effect', 'Hall effect in ionized gases', 'Applications', 'Advantages over other methods', 'Disadvantages compared with other methods', 'Contemporary applications', 'Ferrite toroid Hall effect current transducer', 'Split ring clamp-on sensor', 'Analog multiplication', 'Power measurement', 'See also', 'References'], [], ['Features', 'Licensing', 'Further reading'], ['History and development of the concept', 'Trampolining', 'Marathon', 'Speedway', 'Field hockey', 'Football', 'Cricket', 'Island Games', 'Motor scooter', 'Golf', 'Music', 'Etymology and usage', 'Colonialism versus imperialism', 'Age of Imperialism', 'Theories of imperialism', 'Issues', 'Orientalism and imaginative geography', 'Cartography', 'Signs and symptoms', 'Causes', 'Genetics', 'Diagnosis', 'Differential diagnosis', 'Friday preceding the Fourth Saturday and the following Sunday: July 24-August 2', 'Fourth Thursday: July 28', 'Last Saturday: July 25', 'Last Sunday: July 30', 'Thursday before the first Monday: July 30', 'Following Friday: July 31', 'Last Friday: July 31', 'Fixed Gregorian observances', 'See also', 'References', 'Writer', 'Cartoonist', 'Adaptations', 'Popular culture', 'Bibliography', 'Books', "Children's books", 'Plays', 'Posthumous books', 'Short stories', 'Press coverage', 'Academic opinion', 'Favorable', 'Unfavorable', 'See also', 'References'], ['See also', 'References', 'Further reading'], ['The Economic Pillar', 'The Social Pillar', 'The Political Pillar', 'Currency, exchange rate, and inflation', 'Government finances', 'Revenue and spending', 'Government debt', 'Economic Stimulus Program', 'Integrated Financial Management Information System', 'Funds for the Inclusion of Informal Sector']]



['Wikipedia: Dance Dance Revolution', 'Wikipedia: Endocarditis', 'Wikipedia: Entire function', 'Wikipedia: Greenland', 'Wikipedia: Georges Braque', 'Wikipedia: Gastroenterology', 'Wikipedia: HTML', 'Wikipedia: IRC takeover', 'Wikipedia: Ion implantation', 'Wikipedia: January 1', 'Wikipedia: James Cagney', 'Wikipedia: Joseph Smith (disambiguation)']
[['1980–1988: New Romantic and pop era', '1989–1991: Tin Machine', '1992–1998: Electronic period', '1999–2012: Neoclassicist era', '2013–2016: Final years', '2016–present: Posthumous releases', 'Acting career', '1960s and 1970s', '1980s', '1990s', 'Uruguay', 'Venezuela', 'See also', 'References', 'Dominican Republic', 'Haiti', 'Grenada', 'Europe', 'Nordic countries', 'Modern France', 'Modern Germany', 'Italy', 'Modern United Kingdom', 'Ireland', 'History', 'Foundation', 'International expansion', 'Automatic equipment', 'Shareholding changes', 'Wallenberg era begins', 'Market development', 'Further development', 'Bibliography', 'References'], ['History', 'Creation at Netscape', 'Adoption by Microsoft', 'The rise of JScript', 'Growth and standardization', 'Reaching maturity', 'Trademark', 'Website client-side usage', 'Examples of scripted behavior', 'Libraries and frameworks', 'Car collection', 'Charitable work', 'Football', 'Awards and honours', "Clapton's music in film and TV", 'Discography', 'Solo studio albums', 'Collaborations', 'References', 'Further reading', 'Partisan life', 'Disagreement with Yugoslav communists', 'Early leadership (1946–1965)', 'Relations with Yugoslavia', 'Relations with the Soviet Union', 'Movement towards China and Maoism', 'Friction with the Soviet Union', 'Later rule', 'Relations with China', 'Shift in Chinese foreign policy after the Cultural Revolution', 'Citations', 'Sources'], ['Film funding', 'Film schools', 'Personalities', 'See also', 'References', 'Further reading'], ['Creation of Third Central Bank, 1907–1913', 'Federal Reserve Act, 1913', 'Federal Reserve era, 1913–present', 'Measurement of economic variables', 'Net worth of households and nonprofit organizations', 'Money supply', 'Personal consumption expenditures price index', 'Inflation and the economy', 'Unemployment rate', 'Budget', 'Homotopy of loops', 'Group structure', 'Dependence of the base point', 'Concrete examples', 'The 2-sphere', 'The circle', 'The figure eight', 'Graphs', 'Knot groups', 'Oriented surfaces', 'Two-handed', 'Other alphabets', 'Fingerspelling in sign languages', 'History', 'Research', 'Gallery', 'See also', 'References'], ['Historic texts', 'In sports', 'Diplomatic flags', 'Disability flags', 'Vehicle flags', 'Swimming flags', 'Railway flags', 'Flagpoles', 'Record heights', 'Design', 'Hoisting the flag', 'Organizational chart', 'Location', 'Regional facilities', 'Scope and funding', 'Regulatory programs', 'Canada-United States Regulatory Cooperation Council', 'Food and dietary supplements', '"FDA-Approved" vs. "FDA-Accepted in Food Processing"', 'Medical countermeasures (MCMs)', 'Medications', 'Classification', 'History', 'Old High German', 'Middle High German', 'Early New High German', 'Austrian Empire', 'Standardization', 'Geographic distribution', 'Europe and Asia', 'References', 'Further reading'], [], ['Early life', 'Fauvism', 'Sprung rhythm', 'Use of language', 'Influences', 'Erotic', 'Isolation', 'Influence on others', 'Selected poems'], ['Recordings', 'See also', 'Usage', 'File format', 'Palettes', 'True color', 'Example GIF file', 'Image coding', 'Image decoding', 'LZW code lengths', 'Uncompressed GIF', 'Compression example', 'See also', 'Notes', 'References', 'Further reading'], ['History', 'Development', 'HTML versions timeline', 'Overview', 'Agreements with foreign states', 'International organisation participation', 'Overseas visits made by senior officials', 'Overseas representation in Hong Kong', 'Relations with Taiwan', 'See also', 'References', 'Citations', 'Gameplay', 'Plot', 'Development', 'Siege', 'Source release', 'Portal of Praevus', 'Reception', 'Personal life', 'Science fiction', 'Fiction', 'Legacy', 'Influence in radio electronics and broadcasting', 'List of magazines edited or published by Gernsback', 'Patents', 'Bibliography', 'House of Habsburg-Lorraine: Empress consort of France', 'House of Habsburg-Lorraine: Duchess of Parma', 'House of Habsburg-Lorraine: Emperor of Mexico', 'House of Habsburg-Lorraine, main line: Heads of the House of Habsburg (post-monarchy)', 'Burials', 'Kings of Hungary', 'Albertine line: Kings of Hungary', 'Austrian Habsburgs: Kings of Hungary', 'House of Habsburg-Lorraine, main line: Kings of Hungary', 'Kings of Bohemia', 'History', 'Geography', 'Geology', 'Natural resources and environment', 'Urban areas', 'Economy', 'Sport', 'Football', 'Rugby', 'Rugby league', 'Continental and Welsh politics, 1108–14', 'Rebellion, 1115–20', 'Succession crisis, 1120–24', 'Planning the succession, 1125–34', 'Death and legacy', 'Death', 'Historiography', 'Family and children', 'Legitimate', 'Illegitimate', 'Position and motion sensing', 'Automotive ignition and fuel injection', 'Wheel rotation sensing', 'Electric motor control', 'Industrial applications', 'Spacecraft propulsion', 'The Corbino effect', 'See also', 'References', 'Sources', 'Terminology', 'History', 'Governance', 'Infrastructure', 'Routing and service tiers', 'Access', 'Mobile communication', 'Internet Protocol Suite', 'Layers', 'Internet protocol', 'Derivative software', 'Reception', 'See also', 'References'], ['Early understanding of motion', 'Theory of impetus', 'Classical inertia', 'Relativity', 'Rotational inertia', 'See also', 'References', 'Further reading'], ['Economy', 'Socio-economic data', 'Industry and agriculture', 'Breweries', 'Services', 'Tourism and heritage', 'Transport', 'Media', 'Prisons', 'Education', 'Justification', 'Environmental determinism', 'Anti-imperialism', 'Imperialism by country', 'Austria-Hungary', 'Belgium', 'Brazil', 'Britain', 'China', 'Denmark', 'Classification', 'Treatment', 'Other related disorders', 'References'], [], ['History', 'Events', 'See also', 'References', 'Further reading', 'Biographies of Thurber', 'Literature review'], ['Sports', 'Football', 'Other sports', 'Arts and entertainment', 'Military', 'Politics', 'Early life and career', 'Scholarship', 'Rabbinic Judaism', 'Theological works', 'Jewish studies', 'Interfaith work', 'Political views', "Critical assessment of Neusner's work", 'Personal life', 'Investor compensation fund', 'Foreign economic relations', 'Exports', 'Balance of trade', 'Foreign investment policies', 'Industries', 'Agriculture', 'Forestry and fishing', 'Mining and minerals', 'Industry and manufacturing']]



["Wikipedia: Euler's sum of powers conjecture", 'Wikipedia: E2', 'Wikipedia: Frivolous litigation', 'Wikipedia: Four Weddings and a Funeral', 'Wikipedia: Father Dougal McGuire', 'Wikipedia: Cis–trans isomerism', 'Wikipedia: Howland Island', 'Wikipedia: Heretic II', 'Wikipedia: History of computing hardware', 'Wikipedia: Hentai', 'Wikipedia: Hoover Dam', 'Wikipedia: Ibanez', 'Wikipedia: Juliana Hatfield', 'Wikipedia: Joachim I Nestor, Elector of Brandenburg']
[['2000s and posthumous notes', 'Other works', 'Painter and art collector', 'Bowie Bonds', 'BowieNet', 'Legacy and influence', 'David Bowie Is', 'Stardust biopic', 'Musicianship', 'Personal life', 'Gameplay', 'Difficulty', 'Groove Radar', 'Extra Stage system', 'Hardware', 'Legacy arcade cabinets', 'Modern arcade cabinets', 'System boards', 'Releases', 'Medieval Ireland', 'Low Countries', 'Poland', 'Ukraine', 'Crimea', 'Baltic countries and Belarus', 'Romania and Moldova', 'Russia', 'Hungary', 'Czech Republic and Slovakia', '1995–2003: emergence of the Internet', '2003–2018: rebuilding and growing', 'Acquisitions, expansion, consolidation and cooperation', 'Corporate governance', 'Research and development', 'Products and services', 'Business Area Networks (earlier Business Unit Networks)', 'Network services', 'Business Area Digital Services', 'Business Area Managed Services', 'Infective endocarditis', 'Non-infective endocarditis', 'References', 'Further reading'], ['Other usage', 'Features', 'Imperative and structured', 'Weakly typed', 'Dynamic', 'Object-orientation (prototype-based)', 'Functional', 'Delegative', 'Miscellaneous', 'Vendor-specific extensions'], ['Biology and medicine', 'Mathematics and technology', 'Political repressions and emigration', 'Religion', 'Cultivating nationalism', 'Rejecting Western mass media culture', 'Later life and death', 'Family', 'Assassination attempt', 'Partial list of works', 'See also', 'References', 'Properties', 'Growth', 'Order and type ==', 'Examples', 'Order ρ', 'Order 0', 'Order 1/4', 'Order 1/3', 'Order 1/2', 'Order 1', 'Federal statutes and rules of court penalizing frivolous litigation', 'Court treatment of frivolous arguments', 'Impact upon filing attorney', 'Examples', 'Washington v. Alaimo', 'Pearson v. Chung', 'Net worth', 'Balance sheet', 'Criticism', 'See also', 'References', 'Bundled references', 'Bibliography', 'Recent', 'Historical'], ['Topological groups', 'Functoriality', 'Abstract results', 'Relationship to first homology group', 'Glueing topological spaces', 'Coverings', 'Universal covering', 'Lie groups', 'Fibrations', 'Classical Lie groups', 'Plot', 'Cast', 'Production', 'Flags in communication', 'Flapping', 'See also', 'References', 'Bibliography'], ['New medications', 'Advertising and promotion', 'Postmarket safety surveillance', 'Generic drugs', 'Generic drug scandal', 'Over-the-counter drugs', 'Ebola treatment', 'Coronavirus (COVID-19) testing', 'Vaccines, blood and tissue products, and biotechnology', 'Medical and radiation-emitting devices', 'German Sprachraum', 'Outside the Sprachraum', 'Africa', 'Namibia', 'South Africa', 'North America', 'South America', 'Brazil', 'Co-official statuses of German in Brazil', 'Other South American countries', 'Etymology', 'History', 'Early Paleo-Eskimo cultures', 'Norse settlement', 'Thule culture (1300–present)', '1500–1814', 'Treaty of Kiel to World War II', 'Home rule and self-rule', 'Geography and climate', 'Climate change', 'Cubism', 'Later work', 'Style', '2010 theft', 'Gallery', 'See also', 'References and sources'], ['References', 'Further reading', 'Organic chemistry', 'Interlacing', 'Animated GIF', 'Metadata', 'Alternatives', 'PNG', 'Animation formats', 'Uses', 'See also', 'References'], ['History', 'Disease classification', 'Gastroenterological societies', 'United States', 'Research resources', 'References'], ['HTML 2', 'HTML 3', 'HTML 4', 'HTML 5', 'HTML draft version timeline', 'XHTML versions', 'Transition of HTML Publication to WHATWG', 'Markup', 'Elements', 'Element examples', 'Sources'], ['Flora and fauna', 'References'], ['Plot', 'See also', 'Notes', 'References', 'Further reading'], ['Main line', 'Albertine line: Kings of Bohemia', 'Austrian Habsburgs: Kings of Bohemia', 'House of Habsburg-Lorraine, main line: Kings of Bohemia', 'Family name Habsburg', 'Arms of Dominion of the Austro-Hungarian Empire', 'Version of 1915', 'Gallery', 'See also', 'Notes', 'Rugby union', 'Landmarks', 'Main footpaths', 'Transport', 'Education', 'Literature', 'See also', 'Notes', 'References'], ['Sons', 'Daughters', 'Family tree', 'Notes', 'References', 'Bibliography', 'Further reading'], ['Background', 'IP Addresses', 'IPv4', 'IPv6', 'Subnetwork', 'IETF', 'Applications and services', 'World Wide Web', 'Communication', 'Data transfer', 'Social impact', 'Riding the split', 'Nick collision', 'Other methods', 'Smurfing', 'References', 'History', 'The "lawsuit" guitars', 'Guitars', 'Sub-brands', 'Notable residents', '17th century and earlier', '18th century', '19th century', '20th century onwards', 'Places of interest', 'Overseas names', 'Media references', 'Film', 'Games', 'France', 'Education policy', 'Germany', 'Italy', 'Japan', 'Netherlands', 'Ottoman Empire', 'Poland', 'Portugal', 'The Russian Empire & the Soviet Union', 'General principle', 'Application in semiconductor device fabrication', 'Doping', 'Silicon on insulator', 'Mesotaxy', 'Application in metal finishing', 'Tool steel toughening', 'Surface finishing', 'Pre-Julian Roman calendar', "Early Julian calendar (before Augustus' leap year correction)", 'Julian calendar', 'Gregorian calendar', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['Early life', 'Career', '1919–1930: Early career', '1930–1935: Warner Bros.', '1936–1937: Independent years', '1938–1942: Return to Warner Bros.', '1942–1948: Independent again', 'Religion', 'Other', 'See also', 'References', 'Further reading'], ['Energy', 'Tourism', 'Financial services', 'Labour', 'Family farm labour', 'Wage-job labour', 'Non-farm self-employment/"Jua Kali"', 'The impact of customary law on the informal economy', 'Challenges', 'See also']]



['Wikipedia: Hirohito', 'Wikipedia: Francium', 'Wikipedia: Gilbert Cesbron', 'Wikipedia: Greg Egan', 'Wikipedia: Gulag', 'Wikipedia: Household hardware', 'Wikipedia: Hub', 'Wikipedia: Helene Kröller-Müller', 'Wikipedia: Irssi', 'Wikipedia: January 2', 'Wikipedia: John Keats', 'Wikipedia: Telecommunications in Kenya']
[['Early relationships', 'Family', 'Sexuality', 'Spirituality and religion', 'Politics', 'Death', 'Awards and achievements', 'See also', 'Notes', 'References', 'Home releases', 'Similar games', 'Dance Dance Revolution today', 'Playing styles', 'As an e-Sport', 'As exercise', 'Use in schools', 'Awards', 'Film', 'See also', 'Balkans', 'Caucasus', 'Iberian Peninsula', 'North America', 'Canada', 'Costa Rica', 'Guatemala', 'Mexico', 'Nicaragua', 'United States', 'Broadcast services', 'Divested businesses', 'Mobile (cell) telephones', 'Telephones', 'Ericsson Mobile Platforms', 'Ericsson Enterprise', '.mobi and mobile Internet', 'Controversies', 'See also', 'References', 'Background', 'Counterexamples', 'Generalizations', '3}}===', '4}}===', '5}}===', '7}}===', '8}}===', 'Syntax', 'Simple examples', 'More advanced example', 'Security', 'Cross-site vulnerabilities', 'Misplaced trust in the client', 'Misplaced trust in developers', 'Browser and plugin coding errors', 'Sandbox implementation errors', 'Hardware vulnerabilities', 'Music', 'Television', 'Transport', 'Aircraft', 'Rail', 'Roads and footpaths', 'Submarines', 'Other transport-related', 'Other uses', 'See also', 'Sources'], ['Early life', 'Order 3/2', 'Order 2', 'Order infinity', 'Genus==', 'Other examples', 'See also', 'Notes', 'References', 'Jonathan Lee Riches', 'Gloria Dawn Ironbox', 'Sirgiorgio Sanford Clardy', 'Romine v. Stanton', 'See also', 'Notes'], ['Characteristics', 'Isotopes', 'Applications', 'Edge-path group of a simplicial complex', 'Realizability', 'Related concepts', 'Higher homotopy groups', 'Loop space', 'Fundamental groupoid', 'Local systems', 'Étale fundamental group', 'Fundamental group of algebraic groups', 'Fundamental group of simplicial sets', 'Writing', 'Casting', 'Post-production', 'Music and soundtrack', 'Release', 'Sundance Film Festival premiere', 'Publicity', 'Box office and theatrical run', 'Reception', 'Critical response', 'Concept and creation', 'Casting', 'Fictional character biography', 'Personality', 'Reception and legacy', 'References', '"FDA-Cleared" vs "FDA-Approved"', 'Cosmetics', 'Veterinary products', 'Tobacco products', 'Regulation of living organisms', 'International Cooperation', 'Science and research programs', 'Data management', 'History', "Historical first: FDA and Endo Pharmaceutical's Opana ER (2017)", 'Oceania', 'German as a foreign language', 'Standard German', 'Varieties of Standard German', 'Dialects', 'Low German and Low Saxon', 'Low Franconian', 'High German', 'Central German', 'High Franconian', 'Postglacial glacier advances on Nuussuaq peninsula', 'Biodiversity', 'Politics', 'Political system', 'Government', 'Military', 'Administrative divisions', 'Economy', 'Transport', 'Population', '1913 births', '1979 deaths', '20th-century French male writers', '20th-century French novelists', 'All articles lacking sources', 'Comparison of physical properties', 'Stability', 'E/Z notation', 'Inorganic chemistry', 'Diazenes', 'Coordination complexes', 'See also', 'References'], ['Life and work', 'Mathematics', 'Personal life', 'Overview', 'GULAG vs. GUPVI', 'Contemporary word usage and other terminology', 'History', 'Heading level 1', 'Heading level 2', 'Heading level 3', 'Heading level 4', 'Heading level 5', 'Heading level 6', 'Heading Level 2', 'Heading Level 3', 'Heading Level 4', 'Attributes', 'Economics', 'Time zone', 'History', 'Prehistoric settlement', 'Sightings by whalers', 'U.S. possession and guano mining', 'Itascatown (1935–42)', 'Kamakaiwi Field', 'Japanese attacks during World War II', 'National Wildlife Refuge', 'Gameplay', 'Development', 'Reception', 'References'], ['Early devices', 'Ancient and medieval', 'Renaissance calculating tools', 'Mechanical calculators', 'Punched-card data processing', 'Calculators', 'First general-purpose computing device', 'Analog computers', 'References', 'Sources'], ['See also', 'References', 'Further reading', 'Terminology', 'Etymology', 'History', 'Origin of erotic manga', 'Origin of erotic anime', 'Origin of erotic games', 'Censorship', 'Search for resources', 'Planning and agreements', 'Design, preparation and contracting', 'Construction', 'Labor force', 'River diversion', 'Groundworks, rock clearance and grout curtain', 'Concrete', 'Dedication and completion', 'Construction deaths', 'Users', 'Usage', 'Social networking and entertainment', 'Electronic business', 'Telecommuting', 'Collaborative publishing', 'Politics and political revolutions', 'Philanthropy', 'Security', 'Malware', 'Features', 'Distributions', 'See also', 'References'], ['Solid body electric guitars', 'Hollow body electric guitars', 'Production signature guitars', 'Discontinued guitars', 'Bass guitar models', 'Signature basses', 'Acoustic guitar models', 'Amplifiers', 'Guitar Amplifiers', 'Bass Amplifiers', 'Literature', 'Radio', 'Television', 'See also', 'Notes', 'References'], ['Photos', 'United States', 'Spain', 'Imperialism in the Caribbean basin', 'Scholarly debate and controversy', 'Sweden', 'Venezuela', 'Republic of Venezuela', 'Bolivarian Republic of Venezuela', 'See also', 'References', 'Other applications', 'Ion beam mixing', 'Ion implantation-induced nanoparticle formation', 'Problems with ion implantation', 'Crystallographic damage', 'Damage recovery', 'Amorphization', 'Sputtering', 'Ion channelling', 'Safety', 'Events', 'Births', 'Deaths', 'Holidays and observances', '1949–1955: Back to Warner Bros.', '1955–1961: Later career', '1961–1986: Later years and retirement', 'Personal life', 'Political views', 'Death', 'Honors and legacy', 'Filmography', 'Television', 'Radio appearances', 'Early life', 'Music career', 'First bands and solo album', 'The Juliana Hatfield Three', 'Return to solo career', 'Ye Olde Records', 'PledgeMusic', 'Reformation of The Juliana Hatfield Three', 'Recent collaborations and solo work', 'Musical style', 'Biography', 'Ancestry', 'References', 'Notes', 'References', 'Notes', 'Further reading'], []]



['Wikipedia: Daisy cutter', 'Wikipedia: Dual Alliance (1879)', 'Wikipedia: Ethology', 'Wikipedia: Book of Exodus', 'Wikipedia: Etiology', 'Wikipedia: Essay', 'Wikipedia: Fiddle', 'Wikipedia: February 19', 'Wikipedia: Flores', 'Wikipedia: Grímnismál', 'Wikipedia: Howard Carter', 'Wikipedia: Hans-Georg Gadamer', 'Wikipedia: Intellectual property', 'Wikipedia: Incest', 'Wikipedia: Internet Control Message Protocol', 'Wikipedia: IPv4', 'Wikipedia: John Ford (disambiguation)', 'Wikipedia: January 3', 'Wikipedia: Jonathan Richman']
[['Further reading'], ['All article disambiguation pages', 'References'], ['Formation', 'Oceania', 'South America', 'Argentina', 'Brazil', 'Chile', 'Colombia', 'Paraguay', 'Peru', 'Uruguay', 'Venezuela', 'Further reading'], ['Etymology', 'See also', 'References'], ['Development tools', 'Related technologies', 'Java', 'JSON', 'WebAssembly', 'Transpilers', 'References', 'Further reading'], ['Medicine', 'Mythology', 'See also', 'Crown Prince era', 'Excursion', 'Regency', 'Marriage', 'Ascension', 'Early reign', 'Second Sino-Japanese War', 'World War II', 'Preparations', 'War: advance and retreat', 'Definitions', 'History', 'Montaigne', 'Europe', 'Japan', 'History', 'Etymology', 'Ensembles', 'Scottish fiddle with cello', 'Balkan fiddle with kontra', 'Styles', 'History', 'Erroneous and incomplete discoveries', "Perey's analysis", 'Occurrence', 'Production', 'See also', 'Notes', 'References'], ['See also', 'Notes', 'References'], ['Recognition', 'Awards and accolades', 'Year-end lists', 'Awards', 'Franchise', 'Hulu anthology television miniseries', '25th anniversary reunion Comic Relief television short film', 'See also', 'References'], ['Etymology', 'History', 'Homo floresiensis', 'Modern History', '21st century reforms', 'Critical Path Initiative', "Patients' rights to access unapproved drugs", 'Post-marketing drug safety monitoring', 'Pediatric drug testing', 'Priority review voucher (PRV)', 'Rules for generic biologics', 'Mobile medical applications', 'Criticisms', 'See also', 'Upper German', 'Alemannic', 'Bavarian', 'Grammar', 'Noun inflection', 'Verb inflection', 'Verb prefixes', 'Word order', 'Auxiliary verbs', 'Modal verbs', 'Demographics', 'Languages', 'Education', 'Religion', 'Social issues', 'Culture', 'Sport', 'Cuisine', 'See also', 'Notes', 'Articles lacking sources from April 2009', 'French male novelists', 'Lycée Condorcet alumni', 'Prix Sainte-Beuve winners', 'Sciences Po alumni', 'Wikipedia articles with BIBSYS identifiers', 'Wikipedia articles with BNE identifiers', 'Wikipedia articles with BNF identifiers', 'Wikipedia articles with CANTIC identifiers', 'Wikipedia articles with CINII identifiers', 'Structure and history', 'Synopsis', 'In popular culture', 'References', 'Awards', 'Works', 'Novels', 'Orthogonal trilogy', 'Collections', 'Other short fiction', 'Excerpted', 'Academic papers', 'Short movies', 'Notes', 'Background', 'Formation and expansion under Stalin', "Early years of Stalin's Gulag (1929–31)", 'Dekulakisation', 'During World War II', 'Political role', 'Economic role', 'After World War II', 'Death toll', 'Mortality rate', 'Character and entity references', 'Data types', 'Document type declaration', 'Semantic HTML', 'Delivery', 'HTTP', 'HTML e-mail', 'Naming conventions', 'HTML Application', 'HTML4 variations', 'Earhart Light', 'Image gallery', 'See also', 'References', 'Notes', 'Citations', 'Bibliography'], ['See also', 'Advent of the digital computer', 'Electromechanical computers', 'Digital computation', 'Electronic data processing', 'The electronic programmable computer', 'Stored-program computer', 'Theory', 'Manchester Baby', 'Manchester Mark 1', 'EDSAC', 'Wheel components', 'Arts and media', 'Buildings', 'Computing', 'Organizations', 'Places', 'Pakistan', 'Elsewhere', 'Transport', 'Other uses', 'Life', 'Work', 'Philosophical hermeneutics and Truth and Method', 'Demographics', 'Classification', 'Genres', 'See also', 'References', 'Further reading'], ['Architectural style', 'Operation', 'Power distribution', 'Spillways', 'Roadway and tourism', 'Environmental impact', 'Naming controversy', 'Recognition', 'See also', 'Surveillance', 'Censorship', 'Performance', 'Traffic volume', 'Outages', 'Energy use', 'See also', 'References', 'Sources', 'Further reading', 'History', 'Intellectual property rights', 'Patents', 'Copyright', 'Acoustic Amplifiers', 'Effect pedals', 'Ibanez endorsers: past and present', 'Serial numbers', 'References'], ['Technical details', 'Datagram structure', 'Header', 'Data', 'Control messages', 'Further reading'], ['History', 'Hazardous materials', 'High voltages and particle accelerators', 'See also', 'References'], ['References'], ['Events', 'See also', 'References', 'Notes', 'Bibliography'], ['Style and influences', 'Lyrics', 'Collaborations', 'Some Girls', 'Frank Smith', 'Minor Alps', "The I Don't Cares", 'Writing and acting', 'Discography', 'Studio albums', 'Biography', 'Early life', 'Early career', 'Wentworth Place', 'Isabella Jones and Fanny Brawne', 'Last months: Rome', 'Death', 'Reception', 'Biographers', 'Radio and television', 'Telephones', 'Internet', 'Internet censorship and surveillance', 'See also', 'References'], []]



['Wikipedia: Dennis Hopper', 'Wikipedia: Developmental psychology', 'Wikipedia: Elbing (disambiguation)', 'Wikipedia: Empirical formula', 'Wikipedia: Fermium', 'Wikipedia: Ferrari', 'Wikipedia: Field extension', 'Wikipedia: Geography of Greenland', 'Wikipedia: George Peppard', 'Wikipedia: Guy Fawkes', 'Wikipedia: Geography of Hungary', 'Wikipedia: House of Commons of the United Kingdom', 'Wikipedia: Henry VII of England', 'Wikipedia: Holger Pedersen', 'Wikipedia: Indo-European (disambiguation)', 'Wikipedia: January 15', 'Wikipedia: Joint Political Military Group', 'Wikipedia: Transport in Kenya']
[['All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'Alliance against Russia', 'Italy joins alliance', 'References"Austro-German Alliance". Encyclopædia Britannica. Encyclopædia Britannica Online. Encyclopædia Britannica Inc., 2016. Web. 10 Feb. 2016<http://www.britannica.com/event/Austro-German-Alliance>.'], ['Modern states and territories by type', 'Dismembered countries', 'Nominally-independent homelands of South Africa', 'Secessionist states', 'Annexed countries', 'See also', 'References', 'Notes', 'Further reading', 'History', 'The beginnings of ethology', 'Growth of the field', 'Social ethology and recent developments', 'Relationship with comparative psychology', 'Instinct', 'Fixed action patterns', 'Learning', 'Habituation', 'Associative learning', 'Name', 'Structure', 'Summary', 'Composition', 'Authorship', 'Sources', 'Genre: history vs. myth', 'Themes', 'Salvation', 'Theophany', 'Places', 'Ships', 'See also', 'References'], ['Examples', 'Surrender', 'Accountability for Japanese war crimes', 'The critical thesis', "Vice Interior Minister Yuzawa's account on Hirohito's role in Pearl Harbor raid", "Shinobu Kobayashi's diary", 'The moderate thesis', "The Emperor's own statements", 'British government assessment of Hirohito', "Hirohito's quotes in chamberlain Kobayashi's diary", 'Postwar reign', 'Forms and styles', 'Cause and effect', 'Classification and division', 'Compare and contrast', 'Expository', 'Descriptive', 'Dialectic', 'Exemplification', 'Familiar', 'History (thesis)', 'Europe', 'Great Britain', 'Ireland', 'Nordic countries', 'Continental Europe', 'Americas', 'United States', 'Traditional', 'Modern', 'Canada', 'Discovery', 'Isotopes', 'Production', 'Synthesis in nuclear explosions', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['History', 'Motorsport', 'Scuderia Ferrari', 'Administration', 'Flora and fauna', 'Culture', 'Tourism', 'Economy', 'Gallery', 'Transport', 'See also', 'Notes', 'References', 'Notes', 'References', 'Further reading'], ['Multiple infinitives', 'Vocabulary', 'English to German cognates', 'Orthography', 'Present', 'Past', 'Reform of 1996', 'Phonology', 'Vowels', 'Consonants', 'References', 'Bibliography', 'Works cited'], ['Wikipedia articles with GND identifiers', 'Wikipedia articles with ISNI identifiers', 'Wikipedia articles with LCCN identifiers', 'Wikipedia articles with LNB identifiers', 'Wikipedia articles with NDL identifiers', 'Wikipedia articles with NKC identifiers', 'Wikipedia articles with NLA identifiers', 'Wikipedia articles with NLI identifiers', 'Wikipedia articles with NLK identifiers', 'Wikipedia articles with NLP identifiers', 'Bibliography'], ['Early life', 'References'], ['Early life', 'Gulag administrators', 'Conditions', 'Gulag and famine (1932–33)', 'Social conditions', 'Geography', 'Special institutions', 'Historiography', 'Origins and functions of the Gulag', 'Archival documents', 'History of Gulag population estimates', 'SGML-based versus XML-based HTML', 'Transitional versus strict', 'Frameset versus transitional', 'Summary of specification versions', 'WHATWG HTML versus HTML5', 'WYSIWYG editors', 'See also', 'References'], ['Plains and hills', 'Mountains', 'Highest independent peaks', 'Climate', 'Rivers and lakes', 'Early life', "Tutankhamun's tomb", 'Personal life', 'Later life', 'Death', 'In popular culture', 'Dramas', 'Literature', 'Other', 'References', 'EDVAC', 'Commercial computers', 'Microprogramming', 'Magnetic memory', 'Early digital computer characteristics', 'Transistor computers', 'Transistor peripherals', 'Transistor supercomputers', 'Integrated circuit computers', 'Semiconductor memory', 'See also', 'Role', "Relationship with Her Majesty's Government", 'Contributions to communication ethics', 'Other works', 'Prizes and awards', 'Bibliography', 'See also', 'References', 'Citations', 'Works Cited'], ['Ancestry and early life', 'Rise to the throne', 'Reign', 'Economics', 'Foreign policy', 'Trade agreements', 'Citations', 'Bibliography', 'Cited works', 'Other sources'], [], ['See also', 'Industrial design rights', 'Plant varieties', 'Trademarks', 'Trade dress', 'Trade secrets', 'Object of intellectual property law', 'Financial incentive', 'Economic growth', 'Morality', 'Infringement, misappropriation, and enforcement', 'Terminology', 'History', 'Antiquity', 'Biblical references', 'From the Middle Ages onward', 'Others', 'Prevalence and statistics', 'Source quench', 'Redirect', 'Time exceeded', 'Timestamp', 'Timestamp reply', 'Address mask request', 'Address mask reply', 'Destination unreachable', 'See also', 'References', 'Purpose', 'Address representations', 'Allocation', 'Special-use addresses', 'Private networks', 'Link-local addressing', 'Loopback', 'First and last subnet addresses', 'Address resolution', 'Address space exhaustion', 'Clergymen', 'Public officials', 'Literary figures', 'Entrepreneurs', 'Sports', 'Others', 'See also', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['Biography', 'Early life', 'The Modern Lovers', 'Jonathan Richman and the Modern Lovers', 'Solo', 'Musical instruments and technique', 'Personal life', 'Influence', 'Blake Babies', 'Books', 'References', 'Further reading'], ['Other portrayals', 'Letters', 'Major Works', 'Notes', 'References', 'Sources', 'Further reading'], ['Roads', 'Classification', 'Bus Transport', 'Regulation and Enforcement', 'International highways']]



['Wikipedia: Electromagnetic radiation', 'Wikipedia: Electronics', 'Wikipedia: List of female tennis players', 'Wikipedia: Frédéric Chopin', 'Wikipedia: February 23', 'Wikipedia: Flood fill', 'Wikipedia: Greek language', 'Wikipedia: GNU Compiler Collection', 'Wikipedia: Goodtimes virus', 'Wikipedia: Geiger counter', 'Wikipedia: Hector', 'Wikipedia: Hausdorff space', 'Wikipedia: Harold Kushner', 'Wikipedia: Henry VIII', 'Wikipedia: Adventures of Huckleberry Finn', 'Wikipedia: Industry', 'Wikipedia: Great Famine (Ireland)', 'Wikipedia: Inverse limit', 'Wikipedia: IPv6', 'Wikipedia: January 26', 'Wikipedia: Japanese', 'Wikipedia: Jewish Defense League', 'Wikipedia: Kenya Defence Forces']
[['Awards', 'Works', 'Books', 'Filmography', 'References', 'Bibliography', 'Further reading'], ['Constructivism', 'Evolutionary developmental psychology', 'Attachment theory', 'Major debates', 'Nature vs nurture', 'Continuity vs discontinuity', 'Stability vs change', 'Mathematical models', 'Research areas', 'Cognitive development', 'Semi-major and semi-minor axes', 'Linear eccentricity', 'Eccentricity', 'Semi-latus rectum', 'Tangent', 'Shifted ellipse', 'General ellipse', 'Parametric representation', 'Standard parametric representation', 'Rational representation', 'Group size', "Tinbergen's four questions for ethologists", 'See also', 'References', 'Further reading', 'Branches of electronics', 'Electronic devices and components', 'History of electronic components', 'Types of circuits', 'Analog circuits', 'Euphemism for convict', 'For groups, nations and governments', 'Comfortable exile', 'Nation in exile', 'Government in exile', 'In popular culture', 'Drama', 'Art', 'Literature', 'See also', 'Before the Great Schism', 'Catholic Church', 'Eastern Orthodox Church', 'Oriental Orthodox churches', 'Church of the East', 'Anglican Communion', 'American Methodist churches', 'Episcopal government in other denominations', 'See also', 'References', 'National honours', 'Foreign honours', 'Issue', 'Ancestry', 'Scientific publications', 'See also', 'Notes', 'References', 'Citations', 'Sources', 'Film', 'Music', 'Photography', 'Visual arts', 'See also', 'References', 'Further reading'], ['List', 'See also', 'References', 'Life', 'Childhood', 'Education', 'Travel and domestic success', 'Paris', 'Events', 'Births', 'Deaths', 'Colour', 'Corporate affairs', 'Formula Uomo programme', 'Technical partnerships', 'Sales history', 'Stores', 'See also', 'Notes', 'References'], ['Armies', 'Sicily 264–256 BC', 'Rome builds a fleet', 'Invasion of Africa', 'Sicily 255–248 BC', 'Conclusion', 'Aftermath', 'Notes, citations and sources', 'Notes', 'Citations', 'See also', 'Notes', 'References'], ['Further reading'], ['Lowest temperatures', 'Topography', 'Extreme points', 'Territory of Greenland', 'Island of Greenland', 'Towns', 'History of exploration', 'Gallery', 'See also', 'References', 'History', 'Design', 'Front ends', 'GENERIC and GIMPLE', 'Optimization', 'Personal life', 'Later years and death', 'Critical appraisal', 'Awards', 'Filmography', 'Select theatre credits', 'References', 'Notes'], ['History', 'Sample email', 'Purported effects', 'References', 'Further reading', 'Articles', 'Memoirs', 'Fiction'], ['Other uses', 'See also', 'Etymology', 'Environmental concerns', 'Extreme points', 'Elevation', 'Latitude and longitude', 'Centre', 'Pictures', 'See also', 'References', 'Roman invasion', 'Post-Roman Scotland', 'Rise of the Kingdom of Alba', 'The Wars of Independence', 'The Stuarts', 'Protestant Reformation', '17th century', 'Wars of the Three Kingdoms and the Puritan Commonwealth', "Bishops' Wars", 'Civil war', 'Definitions', 'Equivalences', 'Examples and non-examples', 'Properties', 'Preregularity versus regularity', 'Variants', 'Officers', 'Procedure', 'Commons symbol', 'In film and television', 'See also', 'References', 'Bibliography'], ['2010 intake', 'See also', 'References', 'Education', 'Early years', 'Early reign', 'France and the Habsburgs', 'Characters', 'Plot summary', 'In Missouri', "In Illinois, Jackson's Island and while going Downriver", 'In Kentucky: the Grangerfords and Shepherdsons', 'In Arkansas: the Duke and the King', 'Sources', 'Further reading'], ['See also', 'References', 'Citations', 'Sources'], ['Religious views', 'Jewish', 'Christian', 'Islamic', 'Zoroastrian', 'Hindu', 'Animals', 'Insects', 'See also', 'References', 'Other uses', 'Formal definition', 'Algebraic objects'], ['Main features', 'Motivation and origin', 'Return to Asian cinema', 'Future film projects', 'Personal life', 'Filmography', 'Television', 'Other works', 'See also', 'References', 'Further reading', 'In English', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'References', 'See also', 'Places', 'Slang', 'People', 'Other uses', 'See also', 'Origins', 'History', '1969', '1970'], ['History', '1896 to 1900']]



['Wikipedia: Detroit Red Wings', 'Wikipedia: Elbląg', 'Wikipedia: Episcopal', 'Wikipedia: Emsworth', 'Wikipedia: Error detection and correction', 'Wikipedia: Flugelhorn', 'Wikipedia: February 22', 'Wikipedia: Freemasonry', 'Wikipedia: False document', 'Wikipedia: Demographics of Greenland', 'Wikipedia: Geocaching', 'Wikipedia: Gary Snyder', 'Wikipedia: Demographics of Hungary', 'Wikipedia: Hawkwind', 'Wikipedia: Hearts (card game)', 'Wikipedia: Hotspot', 'Wikipedia: Indriidae', 'Wikipedia: Industrial Revolution', 'Wikipedia: Japan', 'Wikipedia: January 28', 'Wikipedia: Johann Bayer', 'Wikipedia: John William Polidori']
[['Franchise history', 'Early years (1926–1949)', 'Gordie Howe era (1950–1966)', '"Dead Wings" era (1967–1982)', 'Steve Yzerman era (1983–2006)', 'Social and emotional development', 'Physical development', 'Memory development', 'Research methods and designs', 'Main research methods', 'Research designs', 'Life stages of psychological development', 'Prenatal development', 'Infancy', 'Infant perception', 'Tangent slope as parameter', 'Polar forms', 'Polar form relative to center', 'Polar form relative to focus', 'Eccentricity and the directrix property', 'Focus-to-focus reflection property', 'Conjugate diameters', 'Theorem of Apollonios on conjugate diameters', 'Orthogonal tangents', 'Drawing ellipses', 'Physics', 'Theory', 'Maxwell’s equations', 'Near and far fields', 'Properties', 'Wave model', 'Particle model and quantum theory', 'Wave–particle duality', 'Digital circuits', 'Heat dissipation and thermal management', 'Noise', 'Electronics theory', 'Electronics lab', 'Computer aided design (CAD)', 'Packaging methods', 'Electronic systems design', 'Mounting Options', 'Electronics industry', 'References'], ['Etymology', 'Further reading'], ['See also'], ['History', 'Early Emsworth', 'Definitions', 'History', 'Introduction', 'Types of error correction', 'Automatic repeat request (ARQ)', 'Etymology', 'Structure and variants', 'Timbre', 'Franz Liszt', 'George Sand', 'Decline', 'Tour of Great Britain', 'Death and funeral', 'Music', 'Overview', 'Titles, opus numbers and editions', 'Form and harmony', 'Technique and performance style', 'Holidays and observances', 'References'], ['Masonic Lodge', 'Joining a lodge', 'Organisation', 'Sources', 'Further reading', 'In politics', 'The algorithm', 'Stack-based recursive implementation (four-way)', 'Alternative implementations', 'Fixed-memory method (right-hand fill method)', 'Pseudocode', 'Scanline fill', 'Vector implementations', 'Large-scale behaviour', 'See also', 'History', 'Periods', 'Diglossia', 'Historical unity', 'Geographic distribution', 'Official status', 'Characteristics', 'Phonology', 'Morphology', 'Nouns and adjectives'], ['Populations', 'Age structure', 'Back end', 'Features', 'Languages', 'Architectures', 'Development', 'License', 'Uses', 'See also', 'References', 'Further reading', 'History', 'Geocaches', 'Variations', 'Geocache types', 'Hoaxes similar to Good Times', 'Viruses that function like Good Times', 'Spoofs', 'References'], ['Principle of operation', 'Readout', 'Limitations', 'Types and applications', 'Particle detection', 'Gamma and X-ray detection', 'Neutron detection', 'Biography', 'Mythology', 'Greatest warrior of Troy', 'Duel with Protesilaus', 'Duel with Ajax', 'Duel with Achilles', 'Trojan counter-attack', "Hector's last fight", 'Historical references', 'In literature', 'Population', '900–1910', 'Total Fertility Rate from 1850 to 1899', 'Vital statistics from 1900', 'Births and deaths in the territory of modern Hungary', 'Cromwellian occupation and Restoration', 'The deposition of James VII', 'Economic crisis of the 1690s', 'Failure of Darien scheme', '18th century', 'Union with England', 'Jacobitism', 'Post-Jacobite politics', 'Collapse of the clan system', 'Enlightenment', 'Algebra of functions', 'Academic humour', 'See also', 'Notes', 'References', 'History', 'Earliest rules (1887)', 'Preliminaries', 'Playing', 'Congregational Rabbi', 'Author', 'List of publications', 'Miscellaneous', 'References'], ['Annulment from Catherine', 'Marriage to Anne Boleyn', 'Execution of Anne Boleyn', 'Marriage to Jane Seymour; domestic and foreign affairs', 'Marriage to Anne of Cleves', 'Marriage to Catherine Howard', 'Shrines destroyed and monasteries dissolved', 'Second invasion of France and the "Rough Wooing" of Scotland', 'Marriage to Catherine Parr', 'Physical decline and death', "On the Phelps' farm", 'Major themes', 'Illustrations', "Publication's effect on literary climate", 'Critical reception and banning', 'Controversy', 'Expurged editions', 'Adaptations', 'Film', 'Television', 'See also', 'References'], ['Causes and contributing factors', 'Landlords and tenants', 'Tenants, subdivisions, and bankruptcy', 'Potato dependency', 'Blight in Ireland', 'Reaction in Ireland', 'Government response', 'Government responses to previous food shortages'], ['Etymology', 'Important technological developments', 'General definition', 'Examples', 'Derived functors of the inverse limit', 'Mittag-Leffler condition', 'Further results', 'Related concepts and generalizations', 'See also', 'Notes', 'References', 'IPv4 address exhaustion', 'Comparison with IPv4', 'Larger address space', 'Multicasting', 'Stateless address autoconfiguration (SLAAC)', 'IPsec', 'Simplified processing by routers', 'Mobility', 'Extension headers', 'Jumbograms', 'Other languages'], ['Etymology'], ['Events', 'Births', 'See also', 'References'], ['Family', 'Biography', 'Death', 'Works', 'Plays', 'Poems', '1971', '1972-1979', '1980-1989', '1990-1999', '2000-current', 'Israel', 'Terrorism and other illegal activities', 'Violent deaths', 'Organization', 'Chapters', '1902–1963', '1963–present', 'Kenya Army', 'Kenya Army Formations', 'Kenya Army Services', 'Combat vehicles', 'Equipment of Kenya Defence Forces', 'Small Arms', '50 Air Cavalry Battalion', 'Vehicles']]



['Wikipedia: Erewhon', 'Wikipedia: East Slavic languages', 'Wikipedia: Folk music', 'Wikipedia: Free Democratic Party (Germany)', 'Wikipedia: February 21', 'Wikipedia: Fernando Pessoa', 'Wikipedia: Francis of Assisi', 'Wikipedia: Galen', 'Wikipedia: Hera', 'Wikipedia: I, Robot', 'Wikipedia: Interplanetary spaceflight', 'Wikipedia: January 31', 'Wikipedia: Jonathan Demme', 'Wikipedia: Foreign relations of Kenya']
[['The Russian Five and back-to-back Stanley Cups (1994–1998)', 'Superstar acquisitions and more success (1999–2006)', 'Nicklas Lidstrom and the "Euro-Twins" era (2006–2012)', 'The final seasons at Joe Louis Arena (2012–2017)', 'The opening of Little Caesars Arena and rebuilding (2017–present)', 'Team information', 'Logo and uniforms', 'Fan traditions', 'Broadcasters', 'Honored broadcasters', 'Language', 'Infant cognition: the Piagetian era', 'Recent findings in infant cognition', 'Critical periods of development', 'Developmental delays', 'Toddler-hood', 'Childhood', 'Adolescence', 'Early adulthood', 'Middle adulthood', "de La Hire's point construction", 'Pins-and-string method', 'Paper strip methods', 'Approximation by osculating circles', 'Steiner generation', 'As hypotrochoid', 'Inscribed angles and three-point form', 'Circles', 'Inscribed angle theorem for circles', 'Three-point form of circle equation', 'Wave and particle effects of electromagnetic radiation', 'Propagation speed', 'Special theory of relativity', 'History of discovery', 'Electromagnetic spectrum', 'Radio and microwave', 'Infrared', 'Visible light', 'Ultraviolet', 'X-rays and gamma rays', 'See also', 'References', 'Further reading'], ['Modern city', 'Geographical location', 'History', 'Truso', 'Prussian Crusade', 'Teutonic Order', 'Revolt of 1410', 'Kingdom of Poland', 'Kingdom of Prussia', 'Third Reich', 'Classification', 'Differentiation', 'Orthography', '18th and 19th centuries', 'Modern Emsworth', 'Emsworth Sailing Club', 'Culture and community', 'Politics', 'Transport', 'Famous residents', 'See also', 'References', 'Further reading', 'Forward  error correction', 'Hybrid schemes', 'Types', 'Error detection schemes', 'Minimum distance coding', 'Repetition codes', 'Parity bit', 'Checksum', 'Cyclic redundancy check', 'Cryptographic hash function', 'Use and performances', 'Notable players', 'Footnotes', 'References'], ['Polish heritage', 'Reception and influence', 'Recordings', 'In literature, stage, film and television', 'References'], ['Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['Grand Lodges', 'Recognition, amity and regularity', 'Exclusive Jurisdiction', 'Regularity', 'Other degrees, orders, and bodies', 'Ritual and symbolism', 'History', 'Origins', 'North America', 'Jamaican Freemasonry', 'In art', 'In cross-marketing', 'Hoaxes', 'See also', 'References'], ['References', 'Biography', 'Verbs', 'Syntax', 'Vocabulary', 'Greek loanwords in other languages', 'Classification', 'Writing system', 'Linear B', 'Cypriot syllabary', 'Greek alphabet', 'Diacritics', 'Vital statisticsUnited nations. Demographic Yearbooks[http://www.stat.gl/default.asp?langen Statistics Greenland==', 'Structure of the population http://unstats.un.org/unsd/demographic/products/dyb/dyb2.htm', 'Life expectancy at birth', 'Ethnic groups', 'Languages', 'Religion', 'See also', 'References'], ['Official', 'Other', 'Geodashing', 'Stratocaching', 'Technology', 'Obtaining data', 'Converting and filtering data', 'Mobile devices', 'Ethics', 'Reception', 'Laws and legislation', 'Notable incidents', 'Life and career', 'Early life', 'The Beats', 'Japan and India', 'Dharma Bums', 'Kitkitdizze', 'Later life and writings', 'Work', 'Gamma measurement—personnel protection and process control', 'Physical design', 'Guidance on application use', 'History', 'Gallery', 'See also', 'References'], ['See also', 'Notes', 'References'], ['Current population natural growth', 'Infant mortality rate', 'Total fertility rates', 'Historical', 'TFR by county', 'Vital statistics by county', 'Demographics statistics', 'Life expectancy at birth', 'Ethnic groups and language', 'History', 'Beginnings of industrialisation', 'Religious fragmentation', 'Literature', 'Education', '19th century', 'Party politics', 'Industrial expansion', 'Public health and welfare', 'Intellectual life', 'Decline and romanticism of the Highlands', 'History', '1969: formation', '1970–75: United Artists era', '1976–78: Charisma era', '1980s: Bronze, RCA and Flicknife eras', '1990s: GWR, Essential and Emergency Broadcast System', "2000s: Hawkestra, Turner-Brock disputes, Voiceprint and Davey's Departure", '2010s: Eastworld era and Cherry Red', 'Scoring', 'Variants', 'Current rules (2011)', 'Auction Hearts', 'Black Jack', 'Black Lady', 'Black Maria', 'Cancellation Hearts', 'Domino Hearts', 'Greek Hearts', 'Places', 'Arts, entertainment, and media', 'Fictional entities', 'Films', 'Other uses in arts, entertainment, and media', 'Computing', 'Science and healthcare', 'Wives, mistresses, and children', 'Succession', 'Public image', 'Government', 'Finances', 'Reformation', 'Military', 'Ireland', 'Historiography', 'Style and arms', 'Other', 'Related works', 'Literature', 'Music', 'See also', 'Footnotes', 'Further reading', 'Study and teaching tools'], ['Characteristics', 'Classification', 'See also', 'References', 'Tory government', 'Whig government', 'Food exports during Famine', 'Charity', 'Eviction', 'Emigration', 'Death toll', 'Aftermath', "Analysis of the government's role", 'Contemporary', 'Textile manufacture', 'British textile industry statistics', 'Cotton', 'Trade and textiles', 'Pre-mechanized European textile production', 'Invention of textile machinery', 'Wool', 'Silk', 'Iron industry', 'UK iron production statistics', 'Current achievements in interplanetary travel', 'Reasons for interplanetary travel', 'Economical travel techniques', 'Hohmann transfers', 'IPv6 packets', 'Addressing', 'Address representation', 'Link-local address', 'Address uniqueness and router solicitation', 'Global addressing', 'IPv6 in the Domain Name System', 'Transition mechanisms', 'Dual-stack IP implementation', 'ISP customers with public-facing IPv6', 'History', 'Prehistoric to classical history', 'Feudal era', 'Modern era', 'Geography', 'Climate', 'Biodiversity', 'Environment', 'Politics', 'Administrative divisions', 'Deaths', 'Holidays and observances', 'References'], ['Early life', 'Career', 'Early films', 'Later films', 'Style', 'Political activism', 'Novellas', 'Non-Fiction', 'Posthumous editions', 'Legacy', 'Memorials', 'Appearances in other media', 'Film', 'Literature', 'Opera', 'Television', 'Chairs', 'Schism', 'Principles', 'Relations with other groups', 'See also', 'References'], ['Air Force and Navy', 'Notes', 'References', 'Further reading'], []]



['Wikipedia: Emulsion', 'Wikipedia: Politics of Greenland', 'Wikipedia: General Synod', 'Wikipedia: Heapsort', 'Wikipedia: Harpsichord', 'Wikipedia: Isle of Man', 'Wikipedia: Joke', 'Wikipedia: JMS']
[['Season-by-season record', 'Players', 'Current roster', 'Hall of Fame members', 'Retired numbers', 'Team captains', 'First-round draft picks', 'Franchise leaders', 'All-time leading scorers', 'All-time leading goaltenders', 'Old age', 'Parenting', 'Parenting styles', 'Mother and father factors', 'Divorce', 'See also', 'Journals', 'References', 'Further reading'], ['Ellipses', 'Inscribed angle theorem for ellipses', 'Three-point form of ellipse equation', 'Pole-polar relation', 'Metric properties', 'Area', 'Circumference', 'Curvature', 'In triangle geometry', 'As plane sections of quadrics', 'Atmosphere and magnetosphere', 'Thermal and electromagnetic radiation as a form of heat', 'Biological effects', 'Use as weapon', 'Derivation from electromagnetic theory', 'See also', 'References', 'Further reading'], ['Content', 'The Book of the Machines', 'Characters', 'Reception', 'Influence and legacy', 'Deleuze and Guattari', 'Other uses', 'See also', 'References', 'History after 1945', 'Historic buildings', 'Population', 'Institutions of higher education', 'Sports', 'Politics', 'Elbląg constituency', 'Municipal politics', 'International relations', 'Twin towns — sister cities', 'Phonology', 'Notes', 'History', 'Influence of Church Slavonic', 'Current status', 'References', 'Further reading'], [], ['Etymology', 'Appearance and properties', 'Error correction code', 'Applications', 'Internet', 'Deep-space telecommunications', 'Satellite broadcasting (DVB)', 'Data storage', 'Error-correcting memory', 'See also', 'References', 'Further reading', 'Traditional folk music', 'Definitions', 'Characteristics', 'Terminology', 'Tune', 'Origins', 'Subject matter', 'Folk song transformations and variations', 'History', 'Predecessors', 'Founding of the party', '1949–1969: reconstruction of Germany', '1969–1982: social changes and crises', '1982–1998: Kohl government, economic transition and reunification', '2005 federal election', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'References', 'Works cited'], ['Prince Hall Freemasonry', 'Emergence of Continental Freemasonry', 'Schism', 'Italy', 'Freemasonry and women', 'Anti-Masonry', 'Religious opposition', 'Christianity and Freemasonry', 'Islam and Freemasonry', 'Political opposition', 'Early life', 'Lisbon revisited', 'Pessoa the flâneur', 'Literature and occultism', 'Writing a lifetime', 'The triumphant day', 'Heteronyms', "Pessoa's heteronyms, pseudonyms and characters", 'Early life', 'Founding of the Franciscan Orders', 'The Friars Minor', 'The Poor Clares and the Third Order', 'Travels', 'Reorganization of the Franciscan Order', 'Stigmata, final days, and Sainthood', 'Character and legacy', 'Nature and the environment', 'Feast day', 'Punctuation', 'Latin alphabet', 'Hebrew alphabet', 'Arabic alphabet', 'See also', 'Notes', 'References', 'Citations', 'Sources', 'Further reading', 'Executive power', 'Legislative branch', 'Judicial branch', 'Political parties and elections', 'Administrative divisions', 'Early life: AD 129–161', 'Later years: AD 162–217', 'The Antonine Plague', 'Eudemus', 'Death', 'Contributions to medicine', 'Contributions to philosophy', 'Opposition to the Stoics', 'Localization of function', 'Mind–body problem', 'Websites and data ownership', 'First page', 'Geocaching.com', 'Opencaching Network', 'OpenCaching.com', 'Other sites', 'GPSgames', 'NaviCache', 'TerraCaching', 'Extremcaching', 'Poetics', 'Romanticism', 'Beat', 'Bibliography', 'Notes', 'Sources', 'Further reading'], ['The Anglican Communion', 'The Church of England', 'Episcopal Church of the United States', 'Other member churches', 'Other Churches', 'Etymology', 'Cult', 'Importance', 'Matriarchy', 'Origin and birth', 'Youth', 'Emblems', 'Epithets', 'Marriage to Zeus', 'Hungary before the Treaty of Trianon (4 June 1920)', 'Non-Hungarian population in the Kingdom of Hungary, based on 1910 census data', 'Post-Trianon Hungary', 'From 1938 to 1945', 'After WW II: 1949–1990', '2001–2011', '2016', 'Historical ethnic groups of Hungary', 'The Roma minority', 'Kabars', 'Land use and ownership', 'Rural life', 'Emigration', 'Religious schism and revival', 'Development of state education', 'Early 20th century', 'Fishing', 'Political realignment', 'First World War (1914—1918)', 'Economic boom and stagnation', 'Influence and legacy', 'Members', 'Discography', 'Videography', 'References', 'Sources', 'Further reading'], ['Heartsette', 'Joker Hearts', 'Omnibus Hearts', 'Partnership Hearts', 'Spot Hearts', 'Other variants', 'Strategy', 'Leading Hearts early', 'Voids', 'Notes', 'Other uses', 'See also', 'Overview', 'Ancestry', 'See also', 'Footnotes', 'References', 'Bibliography', 'Further reading', 'Biographical', 'Scholarly studies', 'Primary sources'], ['History', 'Mechanism', 'Strings, tuning, and soundboard', 'Multiple manuals and choirs of strings', 'Contents', 'Reception', 'Dramatic adaptations', 'Television', 'Films', "Harlan Ellison's screenplay (1978)", '2004 film', 'Radio', 'Prequels', 'Historical', 'Genocide question', 'Memorials', 'See also', 'References'], ['Iron process innovations', 'Steam power', 'Machine tools', 'Chemicals', 'Cement', 'Gas lighting', 'Glass making', 'Paper machine', 'Agriculture', 'Mining', 'Gravitational slingshot', 'Powered slingshot', 'Fuzzy orbits', 'Aerobraking', 'Improved technologies and methodologies', 'Improved rocket concepts', 'Nuclear thermal and solar thermal rockets', 'Electric propulsion', 'Fission powered rockets', 'Fusion rockets', 'Tunneling', 'IPv4-mapped IPv6 addresses', 'Security', 'Shadow networks', 'IPv6 packet fragmentation', 'Standardization through RFCs', 'Working-group proposals', 'RFC standardization', 'Deployment', 'See also', 'Foreign relations', 'Military', 'Domestic law enforcement', 'Economy', 'Agriculture and fishery', 'Industry', 'Services and tourism', 'Science and technology', 'Infrastructure', 'Transportation', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['Personal life', 'Death', 'Filmography', 'Feature film', 'Documentary', 'Television', 'Music videos', 'Second unit director', 'Acting roles', 'Awards and nominations', 'Bibliography', 'See also', 'References', 'Sources', 'Further reading'], ['Buildings', 'Computing', 'People', 'Publications', 'Others', 'Africa', 'Americas', 'Asia', 'Europe', 'Oceania', 'Kenya and the Commonwealth of Nations', 'See also', 'References']]



['Wikipedia: Demiurge', 'Wikipedia: DNA replication', 'Wikipedia: Ernest Hemingway', 'Wikipedia: Ectopia (medicine)', 'Wikipedia: Elizabeth Gracen', 'Wikipedia: Euclidean domain', 'Wikipedia: FBI (disambiguation)', 'Wikipedia: Fulham F.C.', 'Wikipedia: Golem', 'Wikipedia: Economy of Greenland', 'Wikipedia: Geographical mile', 'Wikipedia: Gonzo journalism', 'Wikipedia: Gerrymandering', 'Wikipedia: Horse', 'Wikipedia: Hastings', 'Wikipedia: Haryana', 'Wikipedia: Invictus', 'Wikipedia: Inca Empire', 'Wikipedia: June 6', 'Wikipedia: Juan Gris', 'Wikipedia: Jet Propulsion Laboratory', 'Wikipedia: Kingman Reef']
[['Franchise individual records', 'See also', 'References'], ['DNA structure', 'DNA polymerase', 'Replication process', 'Applications', 'Physics', 'Elliptical reflectors and acoustics', 'Planetary orbits', 'Harmonic oscillators', 'Phase visualization', 'Elliptical gears', 'Optics', 'Statistics and finance', 'Computer graphics', 'Life', 'Early life', 'World War I', 'Toronto and Chicago'], ['Examples', 'See also', 'Notable residents', 'Before 1800', '1800 to 1900', '1900 to date', 'See also', 'Notes'], ['Government websites', 'Tourism and historical sites', 'Web portals', 'Early life and education', 'Career', 'Pageants and modeling', 'Acting', 'Directing, producing and writing', 'Instability', 'Monitoring physical stability', 'Accelerating methods for shelf life prediction', 'Emulsifiers', 'Mechanisms of emulsification', 'Uses', 'In food', 'Health care', 'In firefighting', 'Chemical synthesis'], ['Definition', 'Notes on the definition', 'Regional forms', 'Early folk music, fieldwork and scholarship', '19th-century Europe', 'North America', 'National and regional forms', 'Africa', 'Asia', 'Folk music of China', 'Traditional folk music of Sri Lanka', 'Australia', '2009–2013: Merkel II government', '2013 federal election', '2014 European and state elections', '2015–present', 'Ideology and policies', 'Support base', 'Election results', 'Federal Parliament (Bundestag)', 'European Parliament', 'State Parliaments', 'Music', 'Television', 'Organisations', 'The Holocaust', 'See also', 'References'], ['Alberto Caeiro', 'Ricardo Reis', 'Álvaro de Campos', 'Summaries of selected works', 'Message', 'Literary essays', 'Philosophical essays', 'Works', 'See also', 'References', 'Papal name', 'Patronage', 'Outside Catholicism', 'Protestantism', 'Orthodox churches', 'Other faiths', "St Francis' Way", 'Main writings', 'In art', 'Media'], ['Etymology', 'History', 'International affairs', 'International organization participation', 'See also', 'References'], ['Psychotherapy', 'Published works', 'Legacy', 'Late antiquity', 'Influence on medicine in the Islamic world', 'Reintroduction to the Latin West', 'Renaissance', 'Contemporary scholarship', 'See also', 'Notes', 'Geocaching Australia', 'See also', 'References', 'Further reading'], ['Origin of the term', 'Hunter S. Thompson', 'Influence', 'See also', 'References', 'Other uses', 'See also'], ['Children', 'Stories involving Hera', 'Heracles', 'Leto and the Twins: Apollo and Artemis', 'Io and Argus', 'Judgment of Paris', 'The Iliad', 'Minor stories', 'Echo', 'Semele and Dionysus', 'Böszörménys', 'Pechenegs', 'Oghuz Turks (Ouzes)', 'Jassics', 'Cumans', 'Romanians', 'Slovaks', 'Serbs', 'Germans', 'Rusyns', 'Interwar politics', 'Second World War 1939–45', 'End of mass emigration', 'Literary renaissance', 'Educational reorganisation and retrenchment', 'Naval role', 'Postwar', 'Politics and devolution', 'Economic reorientation', 'Religious diversity and decline', 'Biology', 'Lifespan and life stages', 'Size and measurement', 'Ponies', 'Genetics', 'References', 'Literature', 'Non-Fiction', 'Fiction', 'Algorithm', 'Pseudocode', 'Variations', "Floyd's heap construction", 'Bottom-up heapsort', 'Other variations', 'Comparison with other sorts', 'Example', 'Notes', 'References', 'Etymology', 'History', 'Ancient period', 'Case', 'Virginals', 'Spinet', 'Clavicytherium', 'Ottavino', 'Pedal harpsichord', 'Other variants', 'Compass and pitch range', 'Music', 'Classical period', 'Popular culture references', 'Notes', 'Sources'], ['Name', 'History', 'Geography', 'Population', 'Census', 'Government', 'Socio-political structure', 'Transportation', 'Canals and improved waterways', 'Roads', 'Railways', 'Other developments', 'Social effects', 'Factory system', 'Standards of living', 'Food and nutrition', 'Housing', 'Exotic propulsion', 'Solar sails', 'Cyclers', 'Space elevator', 'Skyhook', 'Launch vehicle and spacecraft reusability', 'Staging propellants', 'On-orbit tanker transfers', 'Propellant plant on a celestial body', 'Using extraterrestrial resources', 'References'], ['Etymology', 'Energy', 'Water supply and sanitation', 'Demographics', 'Religion', 'Languages', 'Education', 'Health', 'Culture', 'Art and architecture', 'Literature and philosophy', 'Events', 'pre-20th century', 'post-19th century', 'Births', 'pre-19th century', '19th century', 'References'], ['Life', 'History of the printed joke', 'Telling jokes', 'Framing: "Have you heard the one…"', 'Telling', 'Punchline', 'Responding', 'Shifting contexts, shifting texts', 'History', 'Location', 'Employees', 'Education'], ['History', 'Geography']]



['Wikipedia: Extension', 'Wikipedia: Entorhinal cortex', 'Wikipedia: ESR', 'Wikipedia: Epicurus', 'Wikipedia: Louis Mountbatten, 1st Earl Mountbatten of Burma', 'Wikipedia: Forth (programming language)', 'Wikipedia: Full moon', 'Wikipedia: Glossolalia', 'Wikipedia: Golden Heroes', 'Wikipedia: Giant panda', 'Wikipedia: Heap (data structure)', 'Wikipedia: Hair']
[['Platonism and neoplatonism', 'Plato and the Timaeus', 'Middle Platonism', 'Neoplatonism', 'Henology', 'Iamblichus', 'Gnosticism', 'Mythos', 'Angels', 'Initiation', 'Elongation', 'Replication fork', 'Leading strand', 'Lagging strand', 'Dynamics at the replication fork', 'DNA replication proteins', 'Replication machinery', 'Termination', 'Regulation', 'Optimization theory', 'See also', 'Notes', 'References'], ['Paris', 'Key West and the Caribbean', 'Spanish Civil War', 'Cuba', 'World War II', 'Cuba and the Nobel Prize', 'Idaho and suicide', 'Writing style', 'Themes', 'Influence and legacy', 'Structure', 'Connections', "Brodmann's areas", 'Organizations', 'Science', 'Technology', 'Personal life', 'Marriages and family', 'Affair with Bill Clinton', 'Filmography', 'References'], ['See also', 'References', 'Other sources', 'Examples', 'Properties', 'Euclidean domains according to Motzkin and Samuel', 'Norm-Euclidean fields', 'Euclidean rings with zero-divisors', 'k-stage Euclidean domains', 'Euclidean ideal classes', 'See also', 'Notes', 'References', 'Europe', 'Celtic traditional music', 'Central and Eastern Europe', 'Balkan music', 'Nordic folk music', 'Latin and South America', 'Canada', 'United States', 'Folk music revivals', 'First British folk revival', 'Results timeline', 'Leadership', 'Party chairmen', 'Leaders in the Bundestag', 'See also', 'Notes', 'Citations', 'References'], ['Science', 'See also', 'Overview', 'History', '1879–1907: Formation and Southern League years', '1907–1949: Football League', '1949–1970: First Division Cottagers', '1970–1994: Mixed fortunes outside the top flight', "1994–1997: Fulham's lowest ebb", '1997–2001: Al Fayed takeover', '2001–2007: Early Premier League years', "2007–2010: Hodgson's transformation", 'Further reading', 'Books', 'Articles'], ['Films', 'Music', 'Books', 'Other', 'See also', 'Notes', 'References', 'Bibliography', 'Further reading'], ['Earliest stories', 'The Golem of Chełm', 'The classic narrative: The Golem of Prague', 'Sources of the Prague narrative', 'The Golem of Vilna', 'Hubris theme', 'Culture of the Czech Republic', 'Clay Boy variation', 'Golem in popular culture', 'Science', 'Historical development', 'Sectors of the economy', 'Governance', 'Fishing industry', 'Hunting and whaling', 'Retail', 'Mining', 'Energy', 'Sources', 'Further reading', 'Primary sources'], ['Related units', 'See also', 'References', 'Sources'], ['Taxonomy', 'Etymology', 'Tactics', 'Effects', 'Effect on electoral competition', 'Increased incumbent advantage and campaign costs', 'Less descriptive representation', 'Incumbent gerrymandering', 'Prison-based gerrymandering', 'Changes to achieve competitive elections', 'Redistricting by neutral or cross-party agency', 'Lamia', 'Gerana', 'Cydippe', 'Tiresias', 'Chelone', 'The Golden Fleece', 'The Metamorphoses', 'Ixion', 'Genealogy', 'Art and events', 'Croats', 'Poles', 'Slovenes', 'Jews', 'Armenians', 'Greeks', 'Bulgarians', 'Religion', 'Immigration', 'Foreign-born population', 'Educational reforms', 'New literature', 'Historiography', 'See also', 'References', 'Notes', 'Bibliography', 'Surveys and reference books', 'Specialized studies', 'Culture and religion', 'Colors and markings', 'Reproduction and development', 'Anatomy', 'Skeletal system', 'Hooves', 'Teeth', 'Digestion', 'Senses', 'Movement', 'Behavior', 'History', 'Early history', 'Kingdom of Haestingas', 'Medieval Hastings', 'Hastings and the sea', 'Governance', 'Geography and climate', 'Climate', 'Neighbourhoods and areas'], ['Operations', 'Implementation', 'Medieval period', 'Formation', 'Demographics', 'Religion', 'Languages', 'Culture', 'Music', 'Folk theatre and dances', 'Folk music and songs', 'Classical Haryanvi folk music', 'Revival', 'See also', 'Notes', 'References', 'Further reading'], ['Background', 'Poem', 'Publication history', 'Title', 'Notable uses', 'History', 'Literature', 'Film', 'Television', 'External relations and security', 'Defence', 'Manxman status', 'European Union', 'Commonwealth of Nations', 'Politics', 'Local government', 'Public services', 'Education', 'Health', 'Sanitation', 'Water supply', 'Literacy and industrialization', 'Clothing and consumer goods', 'Population increase', 'Urbanization', 'Effect on women and family life', 'Labour conditions', 'Social structure and working conditions', 'Factories and urbanisation', 'Design requirements for crewed interplanetary travel', 'Life support', 'Radiation', 'Reliability', 'Launch windows', 'See also', 'References', 'Further reading', 'History', 'Antecedents', 'Origin', 'Kingdom of Cusco', 'Reorganization and formation', 'Expansion and consolidation', 'Inca Civil War and Spanish conquest', 'Last Incas', 'Society', 'Population', 'Performing arts', 'Customs and holidays', 'Cuisine', 'Media', 'Sports', 'See also', 'Notes', 'References'], ['1901–1930', '1931–1945', '1946–2000', 'Deaths', 'pre-18th century', '1701–1900', '1901–1950', '1951–2000', '21st century', 'Holidays and observances', 'Career', 'Crystal Cubism', 'Designer and theorist', 'Death', 'Art market', 'Selected works', 'Gallery', 'Notes', 'References'], ['Joking relationships', 'Electronic joking', 'Joke cycles', 'Tragedies and catastrophes', 'Ethnic jokes', 'Absurdities and gallows humour', 'Classification systems', 'Joke and humour research', 'Psychology', 'Linguistics', 'Internships and fellowships', 'Museum Alliance', 'Educator Resource Center', 'Open house', 'Other works', 'Funding', 'Peanuts tradition', 'Missions', 'List of directors', 'Team X', 'Political status', 'Ecology', 'National Wildlife Refuge', 'Amateur radio expeditions', 'See also', 'References'], []]



['Wikipedia: Europe of Democracies and Diversities', 'Wikipedia: Euclidean algorithm', 'Wikipedia: Fax', 'Wikipedia: General Dynamics F-16 Fighting Falcon', 'Wikipedia: Telecommunications in Greenland', 'Wikipedia: History of the ancient Levant', 'Wikipedia: Politics of Hungary', 'Wikipedia: Tertiary sector of the economy', 'Wikipedia: Wave interference', 'Wikipedia: Geography of Japan', 'Wikipedia: June 7', 'Wikipedia: James Whale', 'Wikipedia: Kiribati']
[['Yaldabaoth', 'Names', 'Marcion', 'Valentinus', 'The devil', 'Cathars', 'Neoplatonism and Gnosticism', 'Plotinus', 'See also', 'References', 'Eukaryotes', 'Replication focus', 'Bacteria', 'Problems with DNA replication', 'Polymerase chain reaction', 'See also', 'Notes', 'References', 'Mathematics', 'Logic or set theory', 'Other uses', 'Music', 'Places', 'Science', 'See also', 'Selected list of works', 'See also', 'Notes', 'References', 'Citations', 'References cited'], ['Function', 'Neuron information processing', 'Clinical significance', "Alzheimer's disease", 'Effect of aerobic exercise', 'Additional Images', 'References'], ['Transportation', 'Other uses', 'Members', 'Life', 'Upbringing and influences', 'Teaching career', 'Death', 'Teachings', 'Epistemology', 'Ethics', 'Early life', 'Career', 'Early career', 'Second World War', 'Last viceroy of India', 'Career after India', 'Alleged plots against Harold Wilson', 'Personal life', 'Marriage', 'Sexuality', 'Background: greatest common divisor', 'Description', 'Procedure', 'Contemporary folk music', 'Electronic instruments in folk music', 'Festivals', 'See also', 'References', 'Citations', 'Sources', 'Further reading'], ['History', 'Wire transmission', 'Wireless transmission', 'Telephone transmission', 'Stacks', 'Uses', 'History', "Programmer's perspective", 'Facilities', 'Operating system, files, and multitasking', 'Self-compilation and cross compilation', 'Structure of the language', 'Dictionary entry', 'Structure of the compiler', '2010–2013: Established in the Premier League', "2013–present: Shahid Khan's ownership", 'Finances', 'Kit manufacturers and shirt sponsors', 'Current management', 'Players', 'Current squad', 'Academy', 'Fulham in Europe', 'Rivalries', 'Characteristics', 'Formula', 'Lunar eclipses', 'In folklore and tradition', 'Full moon names', "Harvest and hunter's moons", "Farmers' Almanacs", 'Hindu full moon festivals', 'Lunar and lunisolar calendars', 'Development', 'Lightweight Fighter program', 'Selection of finalists and flyoff', 'Literature', 'Film and television', 'Audio', 'Music', 'Comics', 'Tabletop and video games', 'See also', 'References', 'Further reading'], ['Tourism', 'Agriculture and forestry', 'Animal husbandry', 'See also', 'References'], ['Etymology', 'Linguistics', 'History', 'Classical antiquity', '400 to 1900', '20th century', 'Christianity', 'Theological explanations', 'Biblical practice', 'Description', 'Publication history', 'Reception', 'Reviews', 'References', 'Classification', 'Etymology', 'Subspecies', 'Description', 'Pathology', 'Genomics', 'Ecology', 'Diet', 'Predators', 'Behavior', 'Transparency regulations', 'Changing the voting system', 'Changing the size of districts and the elected body', 'Using fixed districts', 'Objective rules to create districts', 'Minimum district to convex polygon ratio', 'Shortest splitline algorithm', 'Minimum isoperimetric quotient', 'Efficiency gap calculation', 'Use of databases and computer technology', 'See also', 'Notes', 'References'], ['Largest cities', 'See also', 'Notes', 'References'], ['Prehistory and archaeology', 'Medieval', 'Early modern', 'Enlightenment, 18th century', 'Union and Jacobites', 'Women', 'Primary sources'], ['Intelligence and learning', 'Sleep patterns', 'Taxonomy and evolution', 'Wild species surviving into modern times', 'Other modern equids', 'Domestication', 'Feral populations', 'Breeds', 'Interaction with humans', 'Sport', 'Demography', 'Ethnicity', 'Economy', 'Shopping and retail', 'Regeneration', 'Culture and community', 'Cadets', 'Events', 'Theatre and cinema', 'Museums and art galleries', 'Variants', 'Comparison of theoretic bounds for variants', 'Applications', 'Implementations', 'See also', 'References'], ['Desi Haryanvi folk music', 'Socially normative-cohesive impact', 'Cuisine', 'Society', 'Geography', 'Plains and mountains', 'Hydrography', 'Climate', 'Flora and fauna', 'Forests', 'Overview', 'Description', 'Root of the hair', 'Natural color', 'Human hair growth', 'Texture', 'Classification systems', 'Sports and video games', 'Music', 'See also', 'References'], ['Emergency services', 'Crematorium', 'Economy', 'Communications', 'Transport', 'Space commerce', 'Electricity supply', 'Culture', 'Language', 'Symbols', 'Child labour', 'Organisation of labour', 'Luddites', "Shift in production's center of gravity", 'Effect on cotton production and expansion of slavery', 'Effect on environment', 'Nations and nationalism', 'Industrialisation beyond the United Kingdom', 'Continental Europe', 'Belgium', 'Mechanisms', 'Derivation', 'Between two plane waves', 'Between two spherical waves', 'Multiple beams', 'Languages', 'Age and defining gender', 'Marriage', 'Gender roles', 'Religion', 'Deities', 'Economy', 'Government', 'Beliefs', 'Organization of the empire', 'Overview', 'Regions', 'Composition, topography and geography', 'Location', 'Christian feast days', 'Others', 'References'], ['Early years', 'Career', 'Theatre', 'Folklore and anthropology', 'Physiology of laughter', 'Computational humour', 'See also', 'Notes', 'References', 'Footnotes', 'Bibliography'], ['Controversies', 'Employee background check lawsuit', 'Coppedge v Jet Propulsion Laboratory', 'See also', 'References', 'Further reading'], ['Etymology and pronunciation', 'History', 'Early history', 'Colonial era', 'Independence', 'Politics']]



['Wikipedia: Doubravka of Bohemia', 'Wikipedia: Dravidian', 'Wikipedia: Elephant', 'Wikipedia: Young and Innocent', 'Wikipedia: Ernst Haeckel', 'Wikipedia: European Free Alliance', 'Wikipedia: Frank', 'Wikipedia: Film format', 'Wikipedia: George Orwell', 'Wikipedia: Guangzhou', 'Wikipedia: Hadrian', 'Wikipedia: Hierarchy', 'Wikipedia: Jacob Lawrence', 'Wikipedia: John Rutsey']
[['Notes', 'Sources'], ['Language and culture', 'Geography', 'Ethnicity', 'Religion', 'Others', 'Etymology', 'Taxonomy and phylogeny', 'Evolution and extinct relatives', 'Dwarf species', 'Plot', 'Main cast', 'Reception', 'Changes from the novel', "Hitchcock's cameo", 'Digital restoration', 'Life', 'Politics', 'Research', 'Polygenism and racial theory', 'Asia hypothesis', 'References'], ['History', 'Physics', 'Theology', 'Epicurean paradox', 'Politics', 'Works', 'Legacy', 'Ancient Epicureanism', 'Middle Ages', 'Renaissance', 'Revival', 'Allegations of sexual abuse', 'Daughter as heir', 'Leisure interests', 'Mentorship of the Prince of Wales', 'Television appearances', 'Death', 'Assassination', 'Funeral', 'Aftermath', 'Legacy', 'Proof of validity', 'Worked example', 'Visualization', 'Euclidean division', 'Implementations', 'Method of least absolute remainders', 'Historical development', 'Mathematical applications', "Bézout's identity", 'Principal ideals and related problems', 'People', 'As a name', 'Groups of people', 'Fictional characters', 'Computer facsimile interface', 'Fax in the 21st century', 'Capabilities', 'Group', 'Analog', 'Digital', 'Class', 'Data transmission rate', 'Compression', 'Modified Huffman', 'Compilation state and interpretation state', 'Immediate words', 'Unnamed words and execution tokens', 'Parsing words and comments', 'Structure of code', 'Data objects', 'Programming', 'Code examples', 'Hello world', 'Mixing states of compiling and interpreting', 'Supporters', 'Managers', 'Grounds', 'Honours', 'Statistics', 'Club mascot', 'References'], ['Intercalary months', 'Blue moon', 'See also', 'References'], ['Air Combat Fighter competition', 'Commencement of production', 'Improvements and upgrades', 'Production relocation', 'Design', 'Overview', 'General configuration', 'Armament', 'Negative stability and fly-by-wire', 'Cockpit and ergonomics', 'Life', 'Early years', 'Policing in Burma', 'Radio and television', 'Telephones', 'Mobile', 'Internet', 'Internet censorship and surveillance', 'See also', 'References', 'Pentecostal and charismatic practice', 'Non-Christian practice', 'Medical research', 'In art', 'See also', 'References', 'Bibliography', 'Further reading'], ['Toponymy', 'History', 'Prehistory', 'Nanyue', 'Imperial China', 'Modern China', 'Reproduction', 'Uses and human interaction', 'Early references', 'Western discovery', 'Panda diplomacy', 'Biofuel', 'Conservation', 'In zoos', 'Population chart', 'Reference in medicine', 'Voting systems', 'First-past-the-post', 'Proportional systems', 'Mixed systems', 'Difference from malapportionment', 'Examples', 'Bahamas', 'Australia', 'Canada', 'Chile', 'Stone Age', 'Kish civilization', 'Bronze Age', 'Iron Age', 'Classical Age', 'See also', 'References', 'Notes', 'General references', 'Executive branch', 'Legislative branch', 'Political parties and elections', 'Judicial branches', 'Financial branch', 'Administrative divisions', 'Involvement in International Organisations', 'Ministries', 'Early life', 'Public service', 'Relationship with Trajan and his family', 'Succession', 'Emperor (117)', 'Work', 'Warfare', 'Entertainment and culture', 'Therapeutic use', 'Products', 'Care', 'See also', 'References', 'Sources', 'Further reading', 'Parks and open spaces', 'Landmarks', 'Transport', 'Road', 'National rail', 'Local rail', 'Paths', 'Historical transport systems', 'Turnpike', 'Trams and trolleybuses', 'Nomenclature', 'Degree of branching ===', 'Etymology', 'Visual hierarchy', 'Informal representation', 'Mathematical representation', 'Wildlife', 'Environmental and ecological issues', 'Administration', 'Divisions', 'Districts', 'Law and order', 'Governance and e-governance', 'Economy', 'Agriculture', 'Crops', 'Functions', 'Warmth', 'Protection', 'Touch sense', 'Eyebrows and eyelashes', 'Evolution', 'Human hairlessness', 'Evolutionary variation', 'Curly hair====', 'The EDAR locus', 'Difficulty of definition', 'Theory of progression', 'Issues for service providers', 'Examples of tertiary sector industries', 'List of countries by tertiary output', 'See also', 'References'], ['Religion', 'Myth, legend and folklore', 'Music', 'Food', 'Sport', 'Motorcycle racing', 'Cammag', 'Cinema', 'Fauna', 'Demographics', 'Demographic effects', 'France', 'Germany', 'Sweden', 'Japan', 'United States', 'Second Industrial Revolution', 'Causes', 'Causes in Europe', 'Causes in Britain', 'Optical interference', 'Light source requirements', 'Optical arrangements', 'Applications', 'Optical interferometry', 'Radio interferometry', 'Acoustic interferometry', 'Quantum interference', '\\sum_{ij} \\psi^*_i \\psi_j \\varphi^*_j\\varphi_i', '\\sum_i |\\lang \\psi |i \\rang|^2|\\lang i|\\varphi \\rang|^2', 'Suyu', 'Laws', 'Administration', 'Arts and technology', 'Monumental architecture', 'Measures, calendrics and mathematics', 'Ceramics, precious metals and textiles', 'Communication and medicine', 'Coca', 'Weapons, armor and warfare', 'Mountains and volcanoes', 'Plains', 'Rivers', 'Lakes and coasts', 'Land reclamation', 'Oceanography and seabed of Japan', 'Geology', 'Tectonic plates', 'Median Tectonic Line', 'Oceanic trenches', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'Christian feast days', 'Others', 'References'], ['Early work in Hollywood', 'With the Laemmles at Universal', 'Career decline', 'Post-film life', 'Death', 'Sexual orientation', 'Film style', 'Legacy', 'Filmography', 'References', 'Life', 'Early years', 'The Migration Series', 'World War II', 'Biography', 'Personal life', 'Formation of Rush', 'Career', 'Later life', 'Death', 'Foreign relations', 'Law enforcement and military', 'Administrative divisions', 'Geography', 'Environmental issues', 'Climate', 'Ecology', 'Economy', 'Transport', 'Demographics']]



['Wikipedia: D. B. Cooper', 'Wikipedia: Daisy Duck', 'Wikipedia: The Time in Between', 'Wikipedia: Francesco Algarotti', 'Wikipedia: Frankie Goes to Hollywood', 'Wikipedia: Transport in Greenland', 'Wikipedia: Gustav Kirchhoff', 'Wikipedia: Glissando', 'Wikipedia: History of Europe', 'Wikipedia: Economy of Hungary', 'Wikipedia: Hermann Ebbinghaus', 'Wikipedia: Primary sector of the economy', 'Wikipedia: Indictable offence', 'Wikipedia: June 11', 'Wikipedia: January 9', 'Wikipedia: John von Neumann Theory Prize']
[['Early life', 'Marriage and Christianization of Poland', 'Children', 'Death and burial', 'References', 'See also', 'Characterization', 'Appearance', 'Characteristics', 'Size', 'Bones', 'Head', 'Ears', 'Trunk', 'Teeth', 'Tusks', 'Skin', 'Legs, locomotion, and posture', 'References'], ['Plot', 'Embryology and recapitulation theory', 'Darwin, Naturphilosophie and Lamarck', 'Embryological drawings', 'Controversy', 'Awards and honors', 'Publications', 'Monographs', 'Challenger reports', 'Books on biology and its philosophy', 'Travel books', 'Ideology', 'Organisation', 'General Assembly', 'Bureau and Secretariat', 'Member parties', 'Full members', 'Former members', 'See also', 'References'], ['Enlightenment and after', 'See also', 'Notes', 'References', 'Bibliography', 'Further reading'], ['Awards and decorations', 'Arms', 'References', 'Footnotes', 'Works cited', 'Further reading'], ['Extended Euclidean algorithm', 'Matrix method', "Euclid's lemma and unique factorization", 'Linear Diophantine equations', 'Multiplicative inverses and the RSA algorithm', 'Chinese remainder theorem', 'Stern–Brocot tree', 'Continued fractions', 'Factorization algorithms', 'Algorithmic efficiency', 'Currency', 'Places', 'Media', 'Cinema', 'Music', 'Literature', 'Television', 'Other uses', 'See also', 'Modified READ', 'Modified Modified READ', 'JBIG', 'Matsushita Whiteline Skip', 'Typical characteristics', 'Printing process', 'Stroke speed', 'Fax paper', 'Internet fax', 'Related standards', 'A complete RC4 cipher program', 'Implementations', 'See also', 'References', 'Further reading', 'Career', 'Formation', '"Relax"', '"Two Tribes"', '"The Power of Love"', 'Motion picture film formats', 'Digital camera formats', 'Still photography film formats', 'Multiple image', 'Roll film cross-reference table', 'Single image', 'Instant film', 'See also', 'Fire-control radar', 'Propulsion', 'Operational history', 'United States', 'Israel', 'Pakistan', 'Turkey', 'Egypt', 'Others', 'Variants', 'London and Paris', 'Southwold', 'Teaching career', 'Hampstead', 'The Road to Wigan Pier', 'Spanish Civil War', 'Rest and recuperation', 'Second World War and Animal Farm', 'Jura and Nineteen Eighty-Four', 'Final months and death'], ['Air transport', 'Roads', 'Life and work', "Kirchhoff's circuit laws", "Kirchhoff's three laws of spectroscopy", "Kirchhoff's law of thermochemistry", 'Revolutions', 'Republic of China', "People's Republic of China", 'Gallery', 'Geography', 'Natural resources', 'Climate', 'Administrative divisions', 'Economy', 'Local products', 'See also', 'References'], ['France', 'Germany', 'Greece', 'Hong Kong', 'Hungary', 'Ireland', 'Italy', 'Kuwait', 'Malaysia', 'Malta'], ['Overview', 'Prehistory of Europe', 'Ministers without portfolio', 'Notes', 'References', 'Securing power', 'Travels', 'Britannia and the West (122)', 'Africa, Parthia and Anatolia; Antinous (123–124)', 'Greece (124–125)', 'Return to Italy and trip to Africa (126–128)', "Greece, Asia, and Egypt (128–130); Antinous's death", 'Greece and the East (130–132)', 'Second Roman–Jewish War (132–136)', 'Final years'], ['Early life', 'Professional career', 'Education', 'Religious buildings', 'Sport', 'Notable people', 'Filmography', 'Film', 'Television', 'Twin towns', 'See also', 'References', 'Subtypes', 'Containment hierarchy', 'Subsumptive containment hierarchy', 'Compositional containment hierarchy', 'Organizations', 'Life', 'Computer graphic imaging', 'Linguistics', 'Music', 'Examples of other applications', 'Fruits, vegetables and spices', 'Flowers and medicinal plants', 'Livestock', 'Research', 'Industrial sector', 'Manufacturing', 'Utilities', 'Services sector', 'Transport', 'Roads and Highways', 'Disease', 'Hair care', 'Removal practices', 'Shaving', 'Waxing', 'Laser removal', 'Cutting and trimming', 'Social role', 'Indication of status', 'Religious practices', 'List of countries by agricultural output', 'See also', 'References', 'Age structure', 'Population density', 'Sex ratio', 'Infant mortality rate', 'Life expectancy at birth', 'Nationality', 'National origin groups', 'Climate', 'See also', 'References', 'Transfer of knowledge', 'Protestant work ethic', 'Opposition from Romanticism', 'See also', 'Footnotes', 'References', 'Further reading', 'Historiography'], ['See also', 'References'], ['Banner of the Inca', 'Adaptations to altitude', 'See also', 'Important Incan archeological sites', 'Incan-related', 'General', 'Notes', 'References'], ['Composition', 'Growing Archipelago', 'Sea of Japan', 'History', 'Present', 'Ocean currents', 'Natural resources', 'Land resources', 'Marine resources', 'Marine life', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'Bibliography'], ['Events', 'Post war', 'Publications', 'Teaching and late works', 'Last years', 'Recognition', 'Legacy', 'See also', 'References'], ['Aftermath', 'Discography', 'References', 'Ethnicity', 'Languages', 'Religion', 'Health', 'Education', 'Culture', 'Music', 'Dance', 'Cuisine', 'Sport']]



['Wikipedia: Spain in Flames', 'Wikipedia: Evolutionism', 'Wikipedia: Alliance of Liberals and Democrats for Europe Party', 'Wikipedia: Epitaph', 'Wikipedia: Elbridge Gerry', 'Wikipedia: Fullerene', 'Wikipedia: Film crew', 'Wikipedia: Faster-than-light', 'Wikipedia: Military of Greenland', 'Wikipedia: G. K. Chesterton', 'Wikipedia: Human rights', 'Wikipedia: Hawker Siddeley Harrier', 'Wikipedia: Secondary sector of the economy', 'Wikipedia: Italic languages', 'Wikipedia: International Court of Justice', 'Wikipedia: Inca (disambiguation)', 'Wikipedia: June 14', 'Wikipedia: January 10', 'Wikipedia: James Stewart', 'Wikipedia: Jean Richard', 'Wikipedia: History of Kiribati']
[['Hijacking', 'Passengers released', 'Back in the air', 'Investigation', 'Search for ransom money', 'Later developments', 'Investigation suspended', 'Physical evidence', 'Voice', 'Donna Duck', 'History', 'First appearance', 'Disney shorts: 1941–1947', 'First starring role', 'Final Donald Duck shorts: 1948–1954', 'Later theatrical appearances', 'Non-theatrical appearances', 'In comics', 'Organs', 'Core body temperature', 'Behaviour and life history', 'Ecology and activities', 'Social organisation', 'Sexual behaviour', 'Musth', 'Mating', 'Birth and development', 'Communication', 'Publication and development', 'Reviews and reception', 'References', 'Assessments of potential influence on Nazism', 'See also', 'Footnotes', 'Sources'], ['Structure', 'Bureau', 'Presidents', 'Epitaphs in England', 'Medieval era', 'Modern era', 'Notable examples', 'Poets, playwrights and other writers', 'Statesmen', 'Early life and education', 'Early political career', 'Congress and Revolution', 'Constitutional Convention', 'Advocating indirect elections', 'Opposing proposed constitution', 'Number of steps', 'Worst-case', 'Average', 'Computational expense per step', 'Alternative methods', 'Generalizations', 'Rational and real numbers', 'Polynomials', 'Gaussian integers', 'Euclidean domains', 'History', 'Predictions and limited observations', 'Discovery of', 'Further developments', 'See also', 'References', 'Further reading'], ['Early life', 'Algarotti and the other arts', 'Works', 'Gallery', 'References', 'Sources'], ['"Welcome to the Pleasuredome"', 'Return and decline', 'Aftermath', 'Later years', 'American impostor group', 'Reunion and comeback', 'Band members', 'Awards and Nominations', 'Discography', 'Studio albums', 'References'], ['Superluminal travel of non-information', 'Related developments', 'Operators', 'Former operators', 'Notable accidents and incidents', 'Aircraft on display', 'Belgium', 'Germany', 'Indonesia', 'Japan', 'Portugal', 'Literary career and legacy', 'Literary influences', 'Orwell as literary critic', 'Food writing', "Reception and evaluations of Orwell's works", 'Influence on language and writing', 'Modern culture', 'Statue', 'Personal life', 'Childhood', 'Water transport', 'Railways', 'References'], ['See also', 'Notes', 'References', 'Further reading'], ['Industry', 'Demographics', 'Ethnicity and language', 'Metropolitan area', 'Transportation', 'Urban mass transit', 'Motor transport', 'Airports', 'Railways', 'Water transport', 'Glissando vs. portamento', 'Notation', 'Discrete glissando', 'Continuous glissando or portamento', 'Bent note', 'See also', 'References', 'Further reading', 'Nepal', 'Philippines', 'Singapore', 'Spain', 'Sri Lanka', 'Sudan', 'Turkey', 'United Kingdom', 'Northern Ireland', 'Boundary Review', 'Ancient Europe', 'Minoans and Mycenae 2000–1100 BC', 'Early antiquity period', 'Ancient Greece', 'Ancient Rome', 'The Rise of Rome', 'Decline of the Roman Empire', 'Late Antiquity and Migration Period', 'Post-classical Europe', 'Byzantium', 'History of the Hungarian economy', 'Árpád Age', 'Anjou Age', 'Hungarian economy prior to the transition', 'Transition to a market economy', 'Privatization in Hungary', "Hungary's economy since 1990", '2008-2009 financial crisis', 'Present-day Hungarian economy', 'Physical properties', 'Arranging the succession', 'Death', 'Military activities', 'Legal and social reforms', 'Religious activities', 'Antinous', 'Christians', 'Personal and cultural interests', 'Poem by Hadrian', 'Appraisals', 'Research on memory', 'Limitations to memory research', 'Contributions to memory', 'Other contributions', 'Discourse on the nature of psychology', 'Influences', 'Selected publications', 'References'], ['Notes', 'Bibliography'], ['Information-based', 'City planning-based', 'Linguistics-based', 'Power- or authority-based', 'Value-based', 'Perception-based', 'History-based', 'Science-based', 'Technology-based', 'Religion-based', 'Railway', 'Metro', 'Sky Way', 'Communication and media', 'Healthcare', 'Education', 'Literacy', 'Schools', 'Universities and higher education', 'Sports', 'See also', 'References', 'Citations', 'Sources'], ['Further reading'], ['References', 'Bibliography', 'Further reading'], ['History', 'The Permanent Court of International Justice', 'Establishment of the International Court of Justice', 'Activities', 'Canada', 'England and Wales', 'History', 'Offences triable only on indictment', 'New Zealand', 'United States', 'See also', 'References', 'People', 'Places', 'Transportation', 'Ships', 'Energy', 'National Parks and Scenic Beauty', 'National Parks', 'Places of Scenic Beauty', 'Three Views of Japan', 'Climate', 'Climate zones', 'Rainfall', 'Summer', 'Winter', 'References'], ['Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['Early life', 'Career', 'Theater and early film roles, 1932—1937', 'Leading man (1938–1941)', 'List of recipients', 'See also', 'References'], ['Outside perspectives', 'See also', 'Notes', 'References', 'Bibliography'], []]



['Wikipedia: The Downward Spiral', 'Wikipedia: Francisco Álvares', 'Wikipedia: Factors of production', 'Wikipedia: Giraffe', 'Wikipedia: Hilbert (disambiguation)', 'Wikipedia: Outline of health sciences', 'Wikipedia: Himachal Pradesh', 'Wikipedia: Imaginary number', 'Wikipedia: Inter Milan', 'Wikipedia: Internet Protocol', 'Wikipedia: June 17', 'Wikipedia: John Walker']
[['Subsequent FBI disclosures', 'Theories and conjectures', 'Suspect profiling', 'Recovered ransom money', 'Statute of limitations', 'Suspects', 'Kenneth Christiansen', 'Jack Coffelt', 'Lynn Doyle Cooper', 'Barbara Dayton', 'Super Daisy', 'Name in other languages', 'At the Disney parks', 'On television', 'In video games', 'References'], ['Intelligence and cognition', 'Conservation', 'Status', 'Threats', 'Association with humans', 'Working animal', 'Warfare', 'Zoos and circuses', 'Attacks', 'Cultural depictions', 'See also', 'References', 'Further reading', '19th-century teleological use', 'Modern use by creationists', 'See also', 'Notes', 'References', 'History of pan-European liberalism', 'European Council', 'European Commissioners', 'Elected representatives of member parties', 'European institutions', 'National parliaments of European Union member states', 'National parliaments outside the European Union', 'Member parties', 'Outside the EU', 'See also', 'Mathematicians', 'Soldiers', 'Entertainers', 'Other', 'Monuments with epitaphs', 'In music', 'In space', 'See also', 'References', 'Bibliography', 'State ratification and Bill of Rights', 'United States House of Representatives', 'XYZ Affair', 'Governor of Massachusetts', 'Vice Presidency and death', 'Legacy', 'Notes', 'References', 'Bibliography', 'Further reading', 'Unique factorization of quadratic integers', 'Noncommutative rings', 'See also', 'Notes', 'References', 'Bibliography'], ['Types', 'Buckyballs', 'Buckminsterfullerene', 'Other fullerenes', 'Carbon nanotubes', 'Derivatives', 'Heterofullerenes and non-carbon fullerenes', 'Silicon', 'Boron', 'Other elements', 'Director', 'Production', 'Production office', 'Production managements', 'Accounting', 'Locations', 'Digital service', 'Continuity', 'Casting', '1515 embassy to Ethiopia', "Álvares' writings", 'References', 'Computer game', 'References'], ['Daily sky motion', 'Light spots and shadows', 'Closing speeds', 'Proper speeds', 'Possible distance away from Earth', 'Phase velocities above c', 'Group velocities above c', 'Universal expansion', 'Astronomical observations', 'Quantum mechanics', 'The Netherlands', 'Serbia', 'Thailand', 'Specifications (F-16C Block 50/52)', 'Notable appearances in media', 'See also', 'References', 'Notes', 'Bibliography', 'Further reading', 'Relationships and marriage', 'Social interactions', 'Lifestyle', 'Views', 'Religion', 'Politics', 'Spanish Civil War and socialism', 'The Second World War', 'Tribune and post-war Britain', 'Sexuality', 'History', 'Second World War', 'Postwar Period', 'Cold War', 'Changes from 2008 / 2009', 'Today’s challenges', 'See also', 'References', 'Literature used for additional Information', 'Early life', 'Family life', 'Career', 'Visual wit', 'Radio', 'Death and veneration', 'Writing', 'Views and contemporaries', 'Culture', 'Religions', 'Daoism', 'Buddhism', 'Christianity', 'Islam', 'Sport', 'Destinations', 'Eight Views', 'Parks and gardens', 'Etymology', 'Taxonomy', 'Evolution', 'Species and subspecies', 'Appearance and anatomy', 'United States', 'Venezuela', 'Related terms', 'See also', 'Further reading', 'References'], ['Early Middle Ages', 'Feudal Christendom', 'High Middle Ages', 'A divided church', 'Holy wars', 'Late Middle Ages', 'Homicide rates plunge over 800 years', 'Early Modern Europe', 'Renaissance', 'Exploration and trade', 'Natural resources', 'Infrastructure', 'Transport', 'Public utilities', 'Sectors', 'Agriculture', 'Health care', 'Industry', 'Automobile production', 'Services', 'Sources and historiography', 'See also', 'Citations', 'References', 'Primary sources', 'Secondary sources', 'Further reading'], ['Places', 'Other uses', 'See also', 'History', '1800 to World War I', 'Between World War I and World War II', 'After World War II', 'Universal Declaration of Human Rights', 'Human Rights Treaties', 'International bodies', 'The United Nations', 'Protection in the international level', 'Human Rights Council', 'Criticisms', 'Ethics, behavioral psychology, philosophies of identity', 'Structure-related concepts', 'Footnotes', 'Further reading'], ['Media', 'See also', 'References', 'Notes'], ['Development', 'Origins', 'Tripartite evaluation', 'P.1154', 'Production', 'Design', 'Overview', 'Engine', 'History', 'Geometric interpretation', 'Square roots of negative numbers', 'History of the concept', 'Classification', 'History', 'Bronze Age', 'Languages of Italy in the Iron Age', 'Timeline of Latin', 'Origins', 'Prehistory of Italy', 'Origin theories', 'Characteristics', 'Composition', 'Ad hoc judges', 'Chambers', 'Current composition', 'Presidents', 'Jurisdiction', 'Contentious issues', 'Incidental jurisdiction', 'Advisory opinions', 'Examples of contentious cases', 'History', 'Foundation and early years (1908–1954)', 'Grande Inter (1960–1967)', 'Subsequent achievements (1971–1990)', 'Mixed fortunes (1990–2003)', 'Biology', 'Computing', 'Food', 'Other uses', 'See also', 'Sunshine', 'Extreme temperature records', 'Population distribution', 'Honshu', 'Kyushu', 'Shikoku', 'Hokkaido', 'Okinawa Prefecture', 'Nanpō Islands', 'Taiheiyō Belt', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['Military service (1941–1968)', 'Postwar films (1946–1949)', 'Career renewal: Westerns and suspense films (1950–1959)', 'Later film career (1960–1970)', 'Television and semi-retirement (1971–1991)', 'Personal life', 'Romantic relationships, marriage and family', 'Friendships, interests, and character', 'Political views', 'Final years', 'Filmography', 'References'], ['Pre-history', 'Contact with other cultures', 'Further exploration', 'Colonial era', 'British Western Pacific Territories', 'Gilbert and Ellice Islands Colony', 'World War II']]



['Wikipedia: Dot-com bubble', 'Wikipedia: Evolutionary linguistics', 'Wikipedia: Entscheidungsproblem', "Wikipedia: European People's Party group", 'Wikipedia: Epigram', 'Wikipedia: Encryption', 'Wikipedia: European Centre for Medium-Range Weather Forecasts', 'Wikipedia: Francesco Andreini', 'Wikipedia: First Council of Constantinople', 'Wikipedia: Foreign relations of Greenland', 'Wikipedia: Gin', 'Wikipedia: Herman Melville', 'Wikipedia: Hindi', 'Wikipedia: Indictment', 'Wikipedia: John Hagelin']
[['William Gossett', 'Robert Richard Lepsy', 'John List', 'Ted Mayfield', 'Richard Floyd McCoy, Jr.', 'Robert Rackstraw', 'Walter R. Reca', 'William J. Smith', 'Duane Weber', 'Copycat hijackings', 'Prelude to the bubble', 'The bubble', 'Spending tendencies of dot-com companies', 'Bubble in telecom', 'Bursting of the bubble', 'Aftermath', 'See also', 'References', 'Bibliography', 'Further reading'], ['Writing and recording', 'Music and lyrics', 'Packaging', 'Promotion', 'Singles', 'Tour', 'Release and reception', 'Accolades', 'Legacy', 'Controversies', 'Completeness theorem', 'History of the problem', 'Negative answer', 'Practical decision procedures', 'See also', 'Notes', 'References'], ['History'], ['Ancient Greek', 'Ancient Roman'], ['History', 'Ancient', 'Member and co-operating states', 'Objectives', 'Work and projects', 'Forecasting', 'Monthly and seasonal forecasts', 'Early warning of severe weather events', 'Main fullerenes', 'Properties', 'Topology', 'Bonding', 'Encapsulation', 'Research', 'Aromaticity', 'Reactions', 'Polymerization', 'Chemistry', 'Camera and lighting', 'Camera', 'Lighting', 'Grip', 'Production sound', 'Art department', 'Art (sets and graphic art)', 'Sets', 'Construction', 'Scenic', 'Life', 'Notes', 'References', 'Historical schools and factors', 'Physiocracy', 'Classical', 'Marxism', 'Neoclassical economics', 'Ecological economics', 'A fourth factor?', 'Entrepreneurship', 'Natural resources', 'Energy', 'Hartman effect', 'Casimir effect', 'EPR paradox', 'Delayed choice quantum eraser', 'Superluminal communication', 'Justifications', 'Relative permittivity or permeability less than 1', 'Casimir vacuum and quantum tunnelling', 'Give up (absolute) relativity', 'Spacetime distortion'], ['Background', 'Theological context', 'Biographies of Orwell', 'Bibliography', 'Novels', 'Nonfiction', 'Notes', 'References', 'Sources', 'Further reading'], ['General aspects of diplomatic relations', 'Diplomatic representations', 'Current representations', 'Charges of anti-Semitism', 'Opposition to eugenics', '"Chesterbelloc"', 'Legacy', 'Literary', "Chesterton's fence", 'Other', 'Major works', 'Articles', 'Short stories', 'Tourist attractions', 'Pedestrian streets', 'Malls and shopping centers', 'Major buildings', 'Media', 'Education', 'International relations', 'Twin towns and sister cities', 'See also', 'Notes', 'Skull and ossicones', 'Legs, locomotion and posture', 'Neck', 'Internal systems', 'Behaviour and ecology', 'Habitat and feeding', 'Social life', 'Reproduction and parental care', 'Necking', 'Mortality and health', 'History', 'Etymology', 'Legal definition', 'Production methods', 'Classic gin cocktails', 'Notable brands', 'Reformation', 'Mercantilism and colonial expansion', 'Crisis of the 17th century', 'Age of Absolutism', "Thirty Years' War 1618–1648", 'War of the Spanish Succession', 'Prussia', 'Russia', 'Enlightenment', 'From revolution to imperialism (1789–1914)', 'Tourism', 'Currency', 'The fulfillment of the Maastricht criteria', 'Socioeconomic characteristics', 'Human capital', 'Social stratification', 'Institutional quality', 'Unemployment in Hungary', 'State participation', 'Monetary policy', 'Biography', 'Early life', "1832–1838: After his father's death", '1839–1844: Years at sea', '1845–1850: Successful writer', 'Etymology', 'History', 'Official status', 'India', 'UN treaty bodies', 'Regional human rights regimes', 'Africa', 'Americas', 'Asia', 'Europe', 'Philosophies of human rights', 'Natural rights', 'Other theories of human rights', 'Concepts in human rights', 'Branches of health sciences', 'Medicine and its branches', 'History of health sciences', 'General health sciences concepts', 'Diagnostic methods', 'See also'], ['History', 'Geography and climate', 'Flora and fauna', 'Government', 'Administrative divisions', 'Economy', 'Agriculture', 'Energy', 'Controls and handling', 'Differences between versions', 'Operational history', 'Royal Air Force', 'United States Marine Corps', 'Other operators', 'Potential operators', 'Argentina', 'Australia', 'China', 'See also', 'Notes', 'References', 'Bibliography'], ['Phonology', 'Grammar', 'Lexical comparison', 'P-Italic and Q-Italic languages', 'See also', 'References', 'Bibliography', 'Further reading'], ['Relationship with UN Security Council', 'Law applied', 'Procedure', 'Preliminary objections', 'Applications to intervene', 'Judgment and remedies', 'Criticisms', 'See also', 'Notes', 'Further reading', 'Comeback and unprecedented treble (2004–2011)', 'Changes in ownership (2012–present)', 'Colours and badge', 'Stadium', 'Supporters and rivalries', 'Honours', 'Club statistics and records', 'Players', 'First-team squad', 'Out on loan', 'Function', 'Version history', 'Reliability', 'Link capacity and capability', 'Security', 'See also', 'References'], ['Underwater habitats', 'Extreme points', "Japan's main islands", 'Extreme altitudes', 'Largest islands of Japan', 'Northern Territories', 'Time zone', 'Natural hazards', 'Earthquakes and tsunami', 'Volcanic eruptions', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['Early life and education', 'Career', 'Academic positions', 'Theoretical physics', 'Efforts to link consciousness to the unified field', 'Acting style and screen persona', 'Work', 'Filmography', 'Theatre', 'Radio', 'Awards and nominations', 'Legacy', 'Memorials', 'Honors', 'References', 'Politicians', 'American politicians', 'Other politicians', 'Sportsmen', 'Association football', 'Cricket', 'Other sports', 'Entertainers and artists', 'Military personnel and spies', 'Self-determination', 'Transition to self-determination', 'Independence for Kiribati', 'Post independent', 'The Banaba issue', 'See also', 'Further reading', 'References'], []]



['Wikipedia: Discounted cash flow', 'Wikipedia: Einhard', 'Wikipedia: El Cid', 'Wikipedia: Fifth Monarchists', 'Wikipedia: Fort Wayne, Indiana', "Wikipedia: Goeldi's marmoset", 'Wikipedia: History of Grenada', 'Wikipedia: God Save the Queen', 'Wikipedia: Genitive case', "Wikipedia: Griffith's experiment", 'Wikipedia: Gall–Peters projection', 'Wikipedia: Hour', 'Wikipedia: Internet Relay Chat', 'Wikipedia: International Standard Book Number', 'Wikipedia: Impeachment', 'Wikipedia: Demographics of Japan', 'Wikipedia: June 25', 'Wikipedia: Jalalabad', 'Wikipedia: John Walker Lindh', 'Wikipedia: Geography of Kiribati']
[['Aftermath', 'Airport security', 'Aircraft modifications', 'Subsequent history of N467US', 'Earl Cossey', 'Cultural phenomenon', 'See also', 'References', 'Further reading'], ['Job market and office equipment glut', 'Legacy', 'Notable companies', 'See also', 'References', 'Further reading', 'History', '1863—1945: social Darwinism', 'From 1959 onwards: genetic determinism', 'From 1976 onwards: Neo-Darwinism', 'View of linguistics', 'Approaches', 'Functionalism (adaptationism)', 'Formalism (structuralism)', '"Big Man with a Gun" lyrics', 'Alleged contribution to the Columbine shooting', 'iPhone application refusal', 'Track listing', 'Original release', 'Deluxe edition (Halo 8 DE)', 'Personnel', 'Charts', 'Weekly charts', 'Year-end charts', 'References'], ['Public life', 'Membership at formation', 'Structure', 'Organisation', 'Membership', '9th European Parliament', '7th and 8th European Parliament', 'Activities', 'In the news', 'Parliamentary activity profile', 'Publications', 'English', 'Poetic epigrams', 'See also', 'Notes', 'Further reading'], ['19th-20th century', 'Modern', 'Encryption in cryptography', 'Types', 'Symmetric key', 'Public key', 'Uses', 'Data erasure', 'Limitations', 'Attacks and countermeasures', 'Satellite data', 'Reanalysis', 'Operational forecast model', 'Copernicus', 'See also', 'References', 'Further reading'], ['Solubility', 'Quantum mechanics', 'Superconductivity', 'Chirality', 'Stability', 'Systematic naming', 'Production', 'Applications', 'Medical research', 'Tumor research', 'Property', 'Costume department', 'Hair and make-up', 'Special effects', 'Stunts', 'Post-production', 'Editorial', 'Visual effects', 'Sound and music', 'Previsualization', 'Restoration', 'See also', 'References', 'Further reading', 'Cultural heritage', 'See also', 'References', 'Further reading'], ['Heim theory', 'Lorentz symmetry violation', 'Superfluid theories of physical vacuum', 'FTL Neutrino flight results', 'MINOS experiment', 'OPERA neutrino anomaly', 'Tachyons', 'Exotic matter', 'General relativity', 'See also', 'Geopolitical context', 'Meletian schism', 'See of Constantinople', 'The proceedings', 'Canons', 'Dispute concerning the third canon', 'Aftermath', 'Niceno-Constantinopolitan Creed', 'Christology', 'Shift of influence from Rome to Constantinople', 'References'], ['Planned representations', 'Disputes – international', 'See also'], ['References', 'Plays', 'Miscellany', 'See also', 'Notes', 'Further reading'], ['References', 'Citations', 'Sources', 'Further reading'], ['Relationship with humans', 'Exploitation and conservation status', 'References'], ['See also', 'References', 'Further reading'], ['Industrial Revolution', 'Era of the French Revolution', 'Napoleon', 'Impact of the French Revolution', 'Religion', 'Protestantism', 'Nations rising', 'Emerging nationalism', 'Germany', 'Italy', 'Fiscal policy', 'Tax system', 'Miscellaneous data', 'External relations', 'The EU', 'Rest of the world', 'Foreign trade', 'See also', 'References'], ['1850–1851: Hawthorne and Moby-Dick', '1852–1857: Unsuccessful writer', '1857–1876: Poet', '1877–1891: Final years', 'Writing style', 'General narrative style', 'Style and literary allusion', 'Critical reception', 'Poetry', 'Melville revival and Melville studies', 'Nepal', 'Fiji', 'Geographical distribution', 'Comparison with Modern Standard Urdu', 'Script', 'Romanization', 'Vocabulary', 'Prakrit', 'Sanskrit', 'Persian', 'Indivisibility and categorization of rights', 'Universalism vs cultural relativism', 'State and non-state actors', 'Human rights law', 'Human rights vs national security', 'Legal instruments and jurisdiction', 'Human rights violations ===', 'See also', 'Notes', 'References', 'Name', 'History', 'Antiquity', 'Tourism', 'Transport', 'Air', 'Railways', 'Broad-gauge lines', 'Narrow-gauge lines', 'Roads', 'Demographics', 'Population', 'Languages', 'Switzerland', 'Variants', 'Operators', 'Aircraft on display', 'Belize', 'Canada', 'Germany', 'Poland', 'New Zealand', 'Thailand', 'Indictments by country', 'India', 'United Kingdom', 'England and Wales', 'Northern Ireland', 'Scotland', 'United States', 'Canada – direct indictment', 'History', 'EFnet', 'Undernet fork', 'DALnet fork'], ['Lectures', 'History', 'Other players under contract', 'Women team', 'Notable players', 'Retired numbers', 'Technical staff', 'Chairmen and managers', 'Chairmen history', 'Managerial history', 'Corporate', 'Kit suppliers and shirt sponsors', 'Etymology and history', 'In various jurisdictions', 'Austria', 'Typhoons', 'Environmental issues', 'See also', 'References'], ['Events', 'Births', 'Deaths', 'Holidays and observances', 'References', 'Maharishi effect', 'Enlightened Audio Designs Corporation', 'Politics', 'Natural Law Party', 'Institute of Science, Technology and Public Policy', 'Other organizations', 'Kilby award', 'Personal life', 'Selected works', 'References', 'Notes', 'Citations', 'Bibliography'], ['Inventors and scientists', 'Businessmen', 'Clergymen', 'Others', 'Fictional characters', 'See also', 'Geography', 'Protected Area', 'Area', 'Climate']]



['Wikipedia: Distributism', 'Wikipedia: ECHELON', 'Wikipedia: Egyptian Lover', 'Wikipedia: European United Left–Nordic Green Left', 'Wikipedia: EPR paradox', 'Wikipedia: European Broadcasting Union', 'Wikipedia: Francis II', 'Wikipedia: Fear', 'Wikipedia: February 15', 'Wikipedia: FTL', 'Wikipedia: Fourth Council of Constantinople (Eastern Orthodox)', 'Wikipedia: Gambling', 'Wikipedia: Gustave de Molinari', 'Wikipedia: Transport in Hungary', 'Wikipedia: Hash table', 'Wikipedia: Republic of Ireland', 'Wikipedia: Interferon', 'Wikipedia: June 26', 'Wikipedia: Javelin throw']
[['Overview', 'Background', 'Political spectrum', 'Application', 'History', 'Mathematics', 'Discounted cash flows', 'Continuous cash flows', 'Discount rate', 'Methods of appraisal of a company or project', 'Evidence', 'Criticism', 'See also', 'References', 'Further reading'], ['Certifications', 'References', 'Bibliography'], ['Private life', 'Religious beliefs', 'Local lore', 'Works', 'See also', 'References', 'Bibliography'], ['Academic analysis', 'See also', 'References'], ['Summary', 'Title', 'Life and career', 'Origins', 'Service under Sancho II', 'Service under Alfonso VI', 'Exile', 'Integrity protection of ciphertexts', 'Ciphertext length and padding', 'See also', 'References', 'Further reading', 'General description', 'History', 'Technical activities', 'Greek state broadcaster controversy of 2013', 'Members', 'Safety and toxicity', 'Popular culture', 'See also', 'References'], ['Animation', 'See also', 'References', 'Further reading'], ['Events', 'Births', 'History', 'Early history', 'Native Americans and New France', 'British control', 'US battles Native Americans for land in Fort Wayne', "Settlement permitted by Treaty of St. Mary's", 'Modern history', 'Geography', 'Notes', 'References'], ['Liturgical commemorations', 'Notes', 'References', 'Further reading'], ['History', 'Great Britain', 'United States', 'Regulation', 'Insurance', 'Early history', '17th century', 'English attempted settlement', 'French settlement and conquest', 'French administration', '18th century', 'French colony', 'British colony', 'History', 'Original lyrics', 'Use in the United Kingdom', 'Lyrics in the UK', 'Standard version in the United Kingdom', 'Standard version of the music', 'Alternative British versions', 'Functions', 'Chinese', 'Cantonese', 'Hokkien', 'Mandarin', 'English', 'Finnic genitives and accusatives', 'German', 'Notes', 'References', 'Further reading', 'Early education', 'Musical education', "After the death of Handel's father", 'University', 'Halle compositions', 'From Halle to Italy', 'Move to London', 'Cannons (1717–19)', 'Royal Academy of Music (1719–34)', 'Opera at Covent Garden (1734–41)', 'Description', 'Formula', 'Simplified formula', 'Discussion', 'Origins and naming', 'Peters world map', 'Cartographic reception', 'See also', 'References', 'Serbia', 'Greece', 'Bulgaria', 'Poland', 'Education', 'Ideological coalitions', 'France under Napoleon III', 'Major powers', "Bismarck's Germany", 'Austrian and Russian empires', 'Roads', 'Motorways and expressways', 'Bus transport', 'Arabic', 'Media', 'Literature', 'Internet', 'Sample text', 'See also', 'References', 'Notes', 'Bibliography', 'Dictionaries'], ['Hashing', 'Choosing a hash function', 'Middle Ages', 'Modernity', 'Counting hours', 'Counting from dawn', 'Unequal hours', 'Counting from sunset', 'Counting from noon', 'Counting from midnight', 'History of timekeeping on other cultures', 'Egypt', 'Religion', 'Culture', 'Notable people', 'Education', 'Industry', 'State profile', 'See also', 'References', 'Further reading'], ['United Kingdom', 'United States', 'Specifications (Harrier GR.3)', 'Popular culture', 'See also', 'References', 'Notes', 'Citations', 'Bibliography', 'Further reading', 'Types', 'See also', 'References'], ['IRCnet fork', 'Modern IRC', 'Timeline', 'Technical information', 'Commands and replies', 'Channels', 'Modes', 'Standard (RFC 1459) modes', 'Channel Operators', 'IRC operators', 'Overview', 'How ISBNs are issued', 'Registration group identifier', 'Registrant element', 'Pattern for English language ISBNs', 'Check digits', 'ISBN-10 check digits', 'ISBN-10 check digit calculation', 'ISBN-13 check digit calculation', 'ISBN-10 to ISBN-13 conversion', 'See also', 'Notes', 'References'], ['Brazil', 'Bulgaria', 'Croatia', 'Czech Republic', 'France', 'Germany', 'Hong Kong', 'Hungary', 'Iceland', 'India', 'History', 'Population', 'Historical population', 'Census', 'Population density', 'Urban distribution', 'Aging of Japan', 'Demographic statistics from the CIA World Factbook'], ['Events', 'Births'], ['History', 'Rules and competitions', 'History', 'Demographics', 'Land use', 'Climate', 'Flora and fauna', 'Transportation', 'Places of interest', 'Sports', 'International sister cities', 'Youth, conversion, and travels', 'Capture and interrogation', 'Trial and sentencing', 'Imprisonment', 'Release', 'In popular culture', 'See also', 'Land Use', 'Natural Environment', 'Natural Resources', 'Natural Hazards', 'Pollution', 'International Conventions', 'Additional Notes on the Geography of Kiribati', 'Extreme points', 'References']]



['Wikipedia: Ester', 'Wikipedia: Fallacies of definition', 'Wikipedia: February 6', 'Wikipedia: FidoNet', 'Wikipedia: Guerrilla warfare', 'Wikipedia: Gram Parsons', 'Wikipedia: Huginn and Muninn', 'Wikipedia: Helene', 'Wikipedia: Hawker Harrier', 'Wikipedia: June 27', 'Wikipedia: Jakarta', 'Wikipedia: Jet stream', 'Wikipedia: Demographics of Kiribati']
[['Economic theory', 'Private property', 'Guild system', 'Banks', 'Antitrust legislation', 'Social credit', 'Social theory', 'Human family', 'Subsidiarity', 'Social security', 'Equity-approach', 'Entity-approach', 'Shortcomings', 'Integrated Future Value', 'See also', 'References', 'Further reading'], ['Name', 'Reporting and disclosures', 'Public disclosures (1972–2000)', 'European Parliament investigation (2000–2001)', 'Confirmation of ECHELON (2015)', 'Organization', 'Likely satellite intercept stations', 'History', 'Currently', 'Touring', 'Discography', 'Albums', 'EPs', 'Compilation albums', 'Charted Singles', 'References', 'Nomenclature', 'Etymology', 'IUPAC nomenclature', 'Orthoesters', 'Inorganic esters', 'History', 'Position', 'Organisation', 'Member parties', 'Membership', '9th European Parliament', '8th European Parliament', '7th European Parliament', '6th European Parliament', 'Moorish service', 'Recall from exile', 'Conquest of Valencia', 'Death', 'Defeat', 'Warrior and general', 'Battle tactics', 'Babieca', 'Swords', 'Wife and children', 'History', 'The paradox', "Bohr's reply", "Einstein's own argument", 'Later developments', "Bohm's variant", "Bell's theorem", 'Steering', 'Current members', 'Past members', 'Associate Members', 'Past associate members', 'Approved participant members', 'Organised events', 'Eurovision Song Contest', 'Let the Peoples Sing', 'Jeux Sans Frontières', 'Eurovision Young Musicians', 'See also', 'Physiological signs', 'Causes', 'Innate fear', 'Learned fear', 'Common triggers', 'Phobias', 'Fear of the unknown', 'In U.S.', 'Mechanism', 'Deaths', 'Holidays and observances', 'References'], ['Topography', 'Cityscape', 'Architecture', 'Climate', 'Demographics', 'Religion', 'Economy', 'Culture', 'Performing arts', 'Attractions', 'Games', 'Science and technology', 'Other uses', 'Background', 'The Council of 879–880', 'Confirmation and further reception', 'References', 'Bibliography'], ['Asset recovery', 'Religious views', 'Hinduism', 'Judaism', 'Christianity', 'Catholicism', 'Protestantism', 'Other Christian denominations', 'Islam', 'Types', "Fédon's Rebellion", '19th century', 'Early 19th century', 'Late 19th century', 'Last colonial years 1900–1974', 'Early 20th century', 'Towards independence:1950–1974', 'Independence, Revolution and US invasion: 1974–1983', 'Independence', 'The 1979 coup and revolutionary government', "William Hickson's alternative version", "Samuel Reynolds Hole's alternative version", 'Official peace version', 'Historic Jacobite and anti-Jacobite alternative verses', 'Historic republican alternative', 'Performance in the UK', 'Other British anthems', 'Use in other Commonwealth countries', 'Australia', 'Canada', 'Formation', 'Articles', 'Nouns', 'Adjectives', 'Personal pronouns', 'Relative pronouns', 'Usage', 'Prepositions', 'Verbs', 'Greek', 'Biography', 'Influence', 'References', 'Further reading'], ['Oratorio', 'Later years', 'Works', 'Catalogues', 'Legacy', 'Reception', 'Borrowings', 'Homages', 'Veneration', 'Fictional depictions'], ['Life and career', 'Early years (1946–1967)', 'Imperialism', '1914–1945: Two World wars', 'World War I', 'Paris Peace Conference', 'Interwar', 'Fascism and authoritarianism', 'Great Depression: 1929–1939', 'World War II', 'Cold War Era', 'Economic recovery', 'Railways', 'Rail system', 'Rail links with adjacent countries', 'Airports', 'International airports', 'Heliports', 'Waterways', 'Ports and harbors', 'Merchant marine', 'Transport in cities', 'Further reading'], ['Attestations', 'Perfect hash function', 'Key statistics', 'Collision resolution', 'Separate chaining', 'Separate chaining with linked lists', 'Separate chaining with list head cells', 'Separate chaining with other structures', 'Open addressing', 'Coalesced hashing', 'Cuckoo hashing', 'East Asia', 'Southeast Asia', 'India', 'Derived measures', 'See also', 'Notes', 'References', 'Citations', 'Bibliography', 'Further reading', 'People', 'Astronomy', 'Books and film'], ['Development', 'Specifications (Harrier, as bomber)', 'Name', 'History', 'Home-rule movement', 'Revolution and steps to independence', 'Irish Civil War', 'Constitution of Ireland 1937', 'Recent history', 'Geography', 'Climate', 'Hostmasks', 'URI scheme', 'Challenges', 'Attacks', 'Abuse prevention', 'Clients', 'Client software', 'Bots', 'Bouncer', 'Search engines', 'Errors in usage', 'eISBN', 'EAN format used in barcodes, and upgrading', 'See also', 'Notes', 'References'], ['Types of interferon', 'Function', 'Induction of interferons', 'Downstream signaling', 'Virus resistance to interferons', 'Interferon therapy', 'Diseases', 'Drug formulations', 'History', 'Iran', 'Ireland', 'Italy', 'Japan', 'Liechtenstein', 'Lithuania', 'Norway', 'Pakistan', 'Philippines', 'Impeachable offenses and officials', 'Sex ratio', 'HIV/AIDS', 'Ethnic groups', 'Marital status', 'Vital statistics', 'Current natural population growth', 'Total fertility rate', 'Life expectancy', 'Migration', 'Internal migration', 'Deaths', 'Holidays and observances', 'References'], ['Javelin redesigns', 'Weight rules by age group', 'Technique and training', 'US high school and below', 'Culture', 'All-time top 25 javelin throwers (current models)', 'Men', 'Notes', 'Women', 'Annulled', 'Notable people', 'See also', 'References', 'Sources', 'Further reading'], ['References'], ['Discovery', 'Population', 'Statistics', 'Nationality', 'Ethnic groups']]



['Wikipedia: Lists of deities', 'Wikipedia: Dachau, Bavaria', 'Wikipedia: Electrical telegraph', 'Wikipedia: European Democrats', 'Wikipedia: Friedrich Hayek', 'Wikipedia: Heat engine', 'Wikipedia: Hezekiah', 'Wikipedia: Hyperion', 'Wikipedia: Hergé', 'Wikipedia: IP address', 'Wikipedia: Israeli settlement']
[['Society of artisans', 'Geopolitical theory', 'Political order', 'Political parties', 'War', 'Influence', 'E. F. Schumacher', 'Mondragon Corporation', 'Guild of St Joseph and St Dominic', 'Big Society', 'See also', 'Other potentially related stations', 'History and context', 'Concerns', 'Workings', 'Examples of industrial espionage', 'In popular culture', 'See also', 'Bibliography', 'Notes and references'], [], ['History', 'Early work', 'Structure and bonding', 'Physical properties and characterization', 'Characterization and analysis', 'Applications and occurrence', 'Preparation', 'Esterification of carboxylic acids with alcohols', 'Esterification of carboxylic acids with epoxides', 'Alcoholysis of acyl chlorides and acid anhydrides', 'Alkylation of carboxylate salts', 'Transesterification', 'European Parliament results', 'See also', 'Sources', 'References', 'El Cid in literature, music, video games and film', 'Gallery', 'See also', 'References', 'Further reading', 'Sources', 'Primary', 'Secondary (not cited)', 'Εxternal links', 'Locality in the EPR paradox', 'Mathematical formulation', 'See also', 'Notes', 'References', 'Selected papers', 'Books'], ['Eurovision Young Dancers', 'Euroclassic Notturno', 'Junior Eurovision Song Contest', 'Eurovision Dance Contest', 'Eurovision Magic Circus Show', 'Eurovision Choir', 'European Sports Championships', 'See also', 'References'], ['Circularity', 'Incongruity: overly broad or narrow', 'Obscurity', 'Mutual exclusivity', 'Self-contradictory requirements', 'Definist fallacy', 'See also', 'References', 'Neurocircuit in mammals', 'Pheromones and why fear can be contagious', 'Fear pheromones in humans', 'Management', 'Pharmaceutical', 'Psychology', 'Other treatments', 'Inability to experience fear', 'Society and culture', 'Death', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['Festivals and events', 'Sports', 'Parks and recreation', 'Government', 'Politics', 'Education', 'Primary and secondary education', 'Higher education', 'Libraries', 'Media', 'History', 'Origins', "Tom Jennings' account", "Ben Baker's account", 'Up and running', 'Nets and nodes', 'Echomail', 'Zones and points', 'Other extensions', 'Peak', 'Life', 'Early life', 'Education and career', 'The Road to Serfdom', 'Chicago', 'Casino games', 'Table games', 'Electronic gaming', 'Other gambling', 'Non-casino games', 'Fixed-odds betting', 'Parimutuel betting', 'Sports betting', 'Virtual sports', 'Arbitrage betting', 'The 1983 coups', 'Invasion', 'Democracy restored: 1983 to present day', 'Post invasion politics', 'Truth and reconciliation commission', 'Hurricane Ivan', 'See also', 'References', 'Further reading'], ['Lyrics in Canada', 'New Zealand', 'Lyrics in Māori', 'Rhodesia', 'South Africa', 'Use elsewhere', 'Musical adaptations', 'Composers', 'Rock adaptations', 'Computer music', 'Hungarian', 'Japanese', 'Korean', 'Latin', 'Irish', 'Persian', 'Semitic languages', 'Akkadian', 'Arabic', 'Slavic languages', 'Etymology', 'Strategy, tactics and methods', 'Strategy', 'Tactics', 'Unconventional methods', 'Comparison of guerrilla warfare and terrorism', 'Growth during the 20th century', 'See also', 'Notes, references and sources', 'Notes', 'References', 'Sources', 'Further reading'], ['Scores and recordings', 'The Byrds (1968)', 'The Flying Burrito Brothers (1969–1970)', 'Solo career and touring with Emmylou Harris (1970–1973)', 'Death', 'Legacy', 'Discography', 'Tribute albums', 'Notes', 'References', 'Bibliography', 'Recent history', 'Chronology', 'See also', 'References', 'Bibliography', 'Surveys', 'Geography and atlases', 'Major nations', 'Classical', 'Late Roman', 'Transport companies of cities', 'Metro', 'Trams', 'Cities with tram lines', 'Cities with former tram lines', 'Trolleybus', 'Pipelines', 'See also', 'References'], ['Archaeological record', 'Theories', 'See also', 'Notes', 'References', 'Hopscotch hashing', 'Robin Hood hashing', '2-choice hashing', 'Dynamic resizing', 'Resizing by copying all entries', 'Alternatives to all-at-once rehashing', 'Incremental resizing', 'Monotonic keys', 'Linear hashing', 'Hashing for distributed hash tables'], ['Etymology', 'Biblical sources', 'Music', 'Other', 'See also', 'See also', 'References'], ['Politics', 'Local government', 'Law', 'Foreign relations', 'Military', 'Economy', 'Taxation policy', 'Trade', 'Energy', 'Transport', 'Character encoding', 'File sharing', 'See also', 'References', 'Bibliography', 'Further reading'], ['Function', 'IP versions', 'Subnetworks', 'IPv4 addresses', 'Subnetting history', 'Private addresses', 'Human interferons', 'Teleost fish interferons', 'See also', 'References'], ['Impeachment proceedings and attempts', 'Peru', 'Poland', 'Romania', 'Russia', 'Singapore', 'South Korea', 'Taiwan', 'Turkey', 'Ukraine', 'Emigration', 'Immigration', 'Languages', 'Society', 'Lifestyle', 'Minorities', 'Discrimination against ethnic minorities', 'Ryukyuans', 'Ainu', 'Hāfu', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['All-time top 5 javelin throwers (Dimpled models 1990–1991)', 'All-time top 15 javelin throwers (old model)', 'Olympic medalists', 'World Championships medalists', "Season's bests", 'See also', 'References'], ['Etymology', 'History', 'Pre-colonial era', 'Colonial era', 'Independence era', 'Government and politics', 'Municipal finances', 'Description', 'Cause', 'Polar jet stream', 'Subtropical jet', 'Other planets', 'Some effects', 'Hurricane protection', 'Uses', 'Aviation', 'Possible future power generation', 'Religions', 'Languages', 'Age structure', 'Median age', 'Population growth rate', 'Birth rate', 'Death rate', 'Net migration rate', 'Urbanization', 'Sex ratio (male(s) to female)']]



['Wikipedia: Equation', 'Wikipedia: Enjambment', 'Wikipedia: Encapsulation', 'Wikipedia: Electrothermal-chemical technology', 'Wikipedia: Fredericton', 'Wikipedia: Francis Hopkinson', 'Wikipedia: Geography of Grenada', 'Wikipedia: Gladiator', "Wikipedia: Original proof of Gödel's completeness theorem", 'Wikipedia: Giovanni Pierluigi da Palestrina', 'Wikipedia: Go-fast boat', 'Wikipedia: Hungarian Defence Forces', 'Wikipedia: Ideogram', 'Wikipedia: Ibizan Hound', 'Wikipedia: June 28', 'Wikipedia: James Madison University']
[['Notable distributists', 'Historical', 'Contemporary', 'Key texts', 'See also', 'References', 'Further reading'], ['Etymology', 'History', 'Prehistoric times and Early Middle Ages', 'Middle Ages', 'From the 16th century to modern times', 'Second World War', 'Geography', 'Introduction', 'Analogous illustration', 'Parameters and unknowns', 'First working systems', 'Commercial telegraphy', 'Cooke and Wheatstone system', 'Wheatstone ABC telegraph', 'Morse system', 'France', 'Expansion', 'Telegraphic improvements', 'Teleprinters', 'The harmonic telegraph', 'Carbonylation', 'Addition of carboxylic acids to alkenes and alkynes', 'From aldehydes', 'Other methods', 'Reactions', 'Hydrolysis and saponification', 'Reduction', 'Claisen condensation and related reactions', 'Other reactions', 'Protecting groups', 'European Democrats in the European Parliament', '1979–1992', '1992–1999', '1999–2009', 'Former member parties', 'European Democrats in PACE (Parliamentary Assembly of the Council of Europe)', 'Sources', 'See also', 'References', 'Examples', 'See also', 'Notes', 'References', 'Chemistry', 'Biology', 'Computing', 'Rocketry', 'Background', 'How it works', 'Flashboard large area emitter', 'History', 'Geography', 'Climate', 'Demographics', 'Economy', 'Fear of death', 'Religion', 'Manipulation', 'Fiction and mythology', 'Athletics', 'See also', 'References', 'Further reading'], ['Education and career', 'Federal judicial service', 'Personal life', 'Cultural contributions', 'Bibliography', 'Books', 'Infrastructure', 'Transportation', 'Healthcare', 'Utilities', 'Notable people', 'Sister cities', 'See also', 'Notes', 'References', 'Bibliography', 'Decline', 'Resurgence', 'FidoNet organizational structure', 'Technical structure', 'Geographical structure', 'FidoNet addresses', 'Routing of FidoNet mail', 'Points', 'Technical specifications', 'Zone mail hour', 'Freiburg, Los Angeles and Salzburg', 'Nobel Memorial Prize Winner', 'British politics', 'Influence on central European politics', 'Recognition', 'Work', 'The business cycle', 'The economic calculation problem', 'Criticism of collectivism', 'Investment and choice', 'Other types of betting', 'Staking systems', 'Other uses of the term', 'Negative consequences', 'Psychological biases', 'See also', 'References', 'Further reading'], ['Terrain', 'Table of Islands', 'Climate', 'Reception', 'Calls for a new national anthem/anthems', 'Notes'], ['Possessives', 'To express negation', 'Partial direct object', 'Prepositional constructions', 'Turkish', 'Albanian', 'Kannada', 'Tamil', 'See also', 'References', 'History', 'Foco theory', 'See also', 'References', 'Further reading'], ['Biography', 'Music', "The 'Palestrina Style'", 'Reputation', 'Film'], ['Construction', 'Use', 'Medieval', 'Early modern', 'Past perspectives on modern European history', '19th century', 'Since 1900', 'Agriculture and economy', 'Diplomacy', 'Empires and interactions', 'Ideas and science', 'Social', 'Structure', 'History', 'Ancient, medieval, and early modern military', 'Overview', 'Examples', 'Everyday examples', "Earth's heat engine", 'Phase-change cycles', 'Gas-only cycles', 'Liquid-only cycles', 'Electron cycles', 'Performance', 'Speed analysis', 'Memory utilization', 'Features', 'Advantages', 'Drawbacks', 'Uses', 'Associative arrays', 'Database indexing', 'Caches', 'Family and life', 'Reign over Judah', 'Restoration of the Temple', 'Political moves and Assyrian invasion', "Hezekiah's construction", "Defeat of Sennacherib's army", 'Death of Sennacherib', "Hezekiah's illness and recovery", 'Extra-Biblical records', 'Archaeological record', 'Greek mythology', 'Science', 'Literature', 'Music', 'Businesses and organizations', 'Places and facilities', 'Fictional entities and characters', 'Computing', 'Vehicles', 'Other uses', 'Early life', 'Childhood and youth: 1907–1925', 'Totor and early career: 1925–1928', 'Founding Tintin and Quick & Flupke: 1929–1932', 'First marriage', 'Rising fame', 'Tintin in the Orient and Jo, Zette & Jocko: 1932–1939', 'German occupation and Le Soir: 1939–1945', 'Post-war controversy: 1944–1946', 'Later life', 'Demographics', 'Functional urban areas', 'Languages', 'Healthcare', 'Education', 'Religion', 'Culture', 'Literature', 'Music and dance', 'Architecture', 'Terminology', 'Mathematics', 'Proposed universal languages', 'See also', 'References'], ['IPv6 addresses', 'IP address assignment', 'Sticky dynamic IP address', 'Address autoconfiguration', 'Addressing conflicts', 'Routing', 'Unicast addressing', 'Broadcast addressing', 'Multicast addressing', 'Anycast addressing', 'Housing costs and state subventions', 'Number of settlements and inhabitants', 'Character: rural and urban', 'History', 'Occupied territories', 'Settlement policy', 'Reasons for settlements', 'Geography and municipal status', 'United Kingdom', 'United States', 'See also', 'References', 'Further reading', 'Foreign residents', 'Foreign residents as of 2015', 'Foreign residents as of 2018', 'Foreign residents on short term employment contracts', 'Koseki', 'Fingerprinting foreigners when entering Japan', 'Religion', 'See also', 'References'], ['Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['History', '21st century', 'Academics', 'Colleges', 'Rankings', 'Administrative divisions', 'Geography', 'Topography', 'Climate', 'Demographics', 'Ethnicity', 'Language', 'Religion', 'Culture', 'Arts and festivals', 'Unpowered aerial attack', 'Changes due to climate cycles', 'Effects of ENSO', 'El Niño', 'La Niña', 'Dust Bowl', 'Longer-term climatic changes', 'Other upper-level jets', 'Polar night jet', 'Low-level jets', 'Maternal mortality rate', 'Infant mortality rate', 'Life expectancy at birth', 'Total fertility rate', 'Health expenditure (% of GDP)', 'Physicians density', 'Hospital bed density', 'Obesity – adult prevalence rate', 'School life expectancy', 'References']]



['Wikipedia: Dehydroepiandrosterone', 'Wikipedia: Endosymbiont', 'Wikipedia: Epistle to the Ephesians', 'Wikipedia: European Convention on Nationality', 'Wikipedia: Ethnologue', 'Wikipedia: Boeing E-3 Sentry', 'Wikipedia: Football team', 'Wikipedia: Fart (word)', 'Wikipedia: Game theory', 'Wikipedia: Demographics of Grenada', 'Wikipedia: Gematria', 'Wikipedia: Group velocity', 'Wikipedia: Glasgow City Chambers', 'Wikipedia: Hold come what may', 'Wikipedia: History of medicine', 'Wikipedia: Irish Republican Army (1919–1922)', 'Wikipedia: Politics of Japan', 'Wikipedia: July 20', 'Wikipedia: Joint Interoperability of Tactical Command and Control Systems', 'Wikipedia: Politics of Kiribati']
[['Biological function', 'As an androgen', 'As an estrogen', 'As a neurosteroid', 'Biological activity', 'Geographical location', 'Bodies of water', 'Transport', 'Sights', 'Twin cities', 'People', 'References', 'Further reading'], ['Identities', 'Properties', 'Algebra', 'Polynomial equations', 'Systems of linear equations', 'Geometry', 'Analytic geometry', 'Cartesian equations', 'Parametric equations', 'Number theory', 'Oceanic telegraph cables', 'Cable and Wireless Company', 'Telegraphy in war', 'Crimean war', 'American Civil War', 'First World War', 'Second World War', 'End of the telegraph era', 'See also', 'References', 'List of ester odorants', 'See also', 'References'], [], ['Themes', 'Composition', 'Further reading', 'Provisions', 'Status', 'Overview', 'History', 'Reputation', 'Editions', 'Triple coaxial plasma igniter', 'Feasibility', 'Notes', 'Bibliography'], ['Arts and culture', 'Architecture', 'Museums and historic buildings', 'Sports', 'Parks and recreation', 'Trail system', 'Government', 'Education and research', 'Transportation', 'Gallery', 'Summary', 'Variation of player numbers among football codes', 'Lists of association football teams', 'Lists of Australian rules football teams', 'Essays', 'Musical compositions', 'Great Seal of the United States', 'United States Flag', 'See also', 'Note', 'References', 'Sources'], [], ['Etymology', 'Vulgarity and offensiveness', 'FidoNet deployments', 'FidoNet availability', 'FidoNews', 'See also', 'References', 'Further reading'], ['Philosophy of science', 'Psychology', 'Social and political philosophy', 'Spontaneous order', "Hayek's views on social safety nets", "Hayek's liberalism and skepticism", "Hayek's views on dictatorship", 'Influence and recognition', 'Hayek and conservatism', 'Hayek and policy discussions', 'History', 'Prize-winning achievements', 'Game types', 'Cooperative / non-cooperative', 'Statistics', 'See also', 'Notes', 'References'], ['History', 'Origins', 'Development', 'Peak', 'Decline', 'Organisation', 'The gladiators', 'Women', 'Emperors', 'Further reading'], ['Etymology', 'Assumptions', 'Statement of the theorem and its proof', 'Theorem 1. Every valid formula (true in all structures) is provable.', 'Theorem 2. Every formula φ is either refutable or satisfiable in some structure.', 'Equivalence of both theorems', 'Proof of theorem 2: first step', 'Reducing the theorem to formulas of degree 1', 'References', 'Sources'], ['Illegal use', 'See also'], ['Books', 'References', 'Warfare', 'Women and gender'], ['Habsburg Hungarian military', 'World War I', 'Mid-twentieth century', 'World War II', 'Warsaw Pact', 'Modern Times', 'Current international missions', 'See also', 'Citations', 'References', 'Magnetic cycles', 'Cycles used for refrigeration', 'Evaporative heat engines', 'Mesoscopic heat engines', 'Efficiency', 'Endo-reversible heat-engines', 'History', 'Enhancements', 'Heat engine processes', 'See also', 'Sets', 'Object representation', 'Unique data representation', 'Transposition table', 'Implementations', 'In programming languages', 'History', 'See also', 'Related data structures', 'References', 'Increase in the power of Judah', 'Siloam inscription', 'Lachish relief', "Sennacherib's Prism of Nineveh", 'Other records', 'Rabbanic Literature', 'Hezekiah and Isaiah', 'Chronological interpretation', 'Other chronological notes', 'See also', 'Prehistoric medicine', 'Early civilizations', 'Mesopotamia', 'Establishing Tintin magazine: 1946–1949', 'Final years: 1966–1983', 'Death', 'Bibliography', 'Personal life', 'Political views', 'Accusations of racism', 'Legacy', 'Awards and recognition', 'Media', 'Cuisine', 'Sports', 'Society', 'State symbols', 'See also', 'Notes', 'References', 'Bibliography', 'Further reading', 'Origins', 'Irish War of Independence', 'IRA campaign and organisation', 'Geolocation', 'Firewalling', 'Address translation', 'Diagnostic tools', 'See also', 'References', 'Types of settlement', 'Resettlement of former Jewish communities', 'Demographics', 'Administration and local government', 'West Bank', 'East Jerusalem', 'Golan Heights', 'Sinai Peninsula', 'Gaza Strip', 'Legal status', 'Description', 'Looks', 'Temperament', 'Health', 'History and use', 'In folk culture', 'References'], ['Government', 'Political parties and elections', 'Policy making', 'Events', 'Births', 'Deaths', 'Campus', 'Student life', 'Student activities and involvement', 'Organizations', 'Student Government Association', 'Marching Royal Dukes', 'University Program Board', 'Student Ambassadors', 'The Breeze', 'Speech Team', 'Cuisine', 'Museums', 'Media', 'Economy', 'Shopping', 'Tourism', 'Infrastructure', 'Water supply', 'Healthcare', 'Transport', 'Barrier jet', 'Valley exit jet', 'Africa', 'See also', 'References'], ['Executive branch', 'Cabinet', 'Attorneys-General of Kiribati']]



['Wikipedia: Ethical naturalism', 'Wikipedia: Establishing shot', 'Wikipedia: Exponential function', 'Wikipedia: Electric bus (disambiguation)', 'Wikipedia: Flag of the United States', 'Wikipedia: Fred Brooks', 'Wikipedia: Politics of Grenada', 'Wikipedia: Grateful Dead', 'Wikipedia: Grits', 'Wikipedia: Glitnir', 'Wikipedia: Gone with the Wind (novel)', 'Wikipedia: Heavy metal', 'Wikipedia: Horned God', 'Wikipedia: Iron', 'Wikipedia: IP', 'Wikipedia: Economy of Japan', 'Wikipedia: June 10', 'Wikipedia: Jack Ruby', 'Wikipedia: Jamming', 'Wikipedia: Telecommunications in Kiribati']
[['Cancer', 'Miscellaneous', 'Biochemistry', 'Biosynthesis', 'Increasing endogenous production', 'Distribution', 'Metabolism', 'Pregnancy', 'Levels', 'Measurement', 'Reproduction', 'Mating systems', 'Courtship behavior', 'Polyandry', 'Sperm competition', 'Laboratory-cultured animals', 'Use in genetic research', 'Microbiome', 'Predators', 'Systematics'], ['Overview', 'Ethical theories that can be naturalistic', 'Gatherings of people', 'In science, technology, and mathematics', 'In arts and entertainment', 'In business', 'See also', 'Endosymbionts of vertebrates', 'Endosymbionts of plants', 'Virus-host associations', 'See also', 'References', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Phonemic representation', 'Word origin', 'Homophone differentiation', 'Marking sound changes in other letters', 'Multiple functionality', 'Underlying representation', 'Diacritics', 'Ligatures', 'Phonic irregularities', 'Spelling irregularities', 'Theory', 'Evaporative equilibrium', 'Factors influencing the rate of evaporation', 'Thermodynamics', 'Applications', 'Combustion vaporization', 'Pre-combustion vaporization', 'Operational history', 'Variants', 'Operators', 'Incidents and accidents', 'Specifications (USAF/NATO)', 'See also', 'References'], ['Context', 'Naming and differences with Open Source', 'Definition and the Four Essential Freedoms of Free Software', 'Examples', 'History', '1980s: Foundation of the GNU project', '1990s: Release of the Linux kernel', 'Licensing', 'Security and reliability', 'English', 'Other languages', 'International Phonetic Alphabet', 'In mathematics', 'Other uses', 'Related characters', 'Ancestors, descendants and siblings', 'Ligatures and abbreviations', 'Computing codes', 'Other representations', 'Death', 'Sack of Rome', 'Assessments', 'See also', 'Notes', 'References'], ['History', 'Eligibility', 'Competition format', 'Overview', 'Schedule', 'The draw', 'Tiebreaking', 'History', 'First flag', 'Flag Resolution of 1777', 'Designer of the first stars and stripes', 'Education', 'Career and research', 'Service and memberships', 'Awards and honors', 'Metagames', 'Pooling games', 'Mean field game theory', 'Representation of games', 'Extensive form', 'Normal form', 'Characteristic function form', 'Alternative game representations', 'General and applied uses', 'Description and modeling', 'References', 'Executive branch', 'Legislative branch', 'Legal and social status', 'Amphitheatres', 'Factions and rivals', 'Role in Roman life', 'Role in the military', 'Religion, ethics and sentiment', 'In Roman art and culture', 'Modern reconstructions', 'In modern fiction', '20th century fiction', 'Greek isopsephy', 'Latin-script languages & English Gematria', '666 Mark of the Beast', 'See also', 'Notes', 'References', 'Origin', 'Preparation', 'Grits dishes', 'In popular culture', 'See also', 'See also', 'References', 'Notes', 'Further reading'], ['Plot', 'Part I', 'Part II', 'Kiru and Kireji', 'On', 'Kigo', 'Examples', 'Origin and development', 'From renga to renku to haiku', 'Bashō', 'Buson', 'Issa', 'Shiki', 'Hungary and Central Asia', 'Relations by region and country', 'Africa', 'Americas', 'Asia', 'Europe', 'Oceania', 'Foreign criticism', 'See also', 'References', 'Saltfleetby spindle whorl inscription', 'Poetic Edda', 'Prose Edda', 'Heimskringla', 'Archaeological record', 'Theories and interpretations', 'See also', 'Notes', 'References'], ['Variations', 'Time to Hello World', 'See also', 'References'], ['Signs and symptoms', 'Complications', 'Genetics', 'Severity', 'Diagnosis', 'Before pregnancy', 'During pregnancy', 'After birth', 'Classification', 'Byzantine Empire and Sassanid Empire', 'Islamic world', 'Europe', 'Schools', 'Humours', 'Women', 'Renaissance to early modern period 16th–18th century', 'Paracelsus', 'Padua and Bologna', 'Age of Enlightenment', 'In Wicca', 'Names', 'In psychology', 'Jungian analysis', 'Humanistic psychology', 'Theories of historical origins', 'Definition', 'Causes', 'Genealogy', 'Plastic Paddies', 'United Kingdom', 'The Rest of Europe', 'Americas', 'Argentina', 'Bermuda', 'Canada', 'Characteristics', 'Allotropes', 'Melting and boiling points', 'Magnetic properties', 'Distinction from "if" and "only if"', 'In terms of Euler diagrams', 'More general usage', 'See also', 'References'], ['Olive trees', 'Palestinian violence against settlers', 'Pro-Palestinian activist violence', 'Environmental issues', 'Impact on Palestinian demographics', 'Educational institutions', 'Strategic significance', 'Dismantling of settlements', 'Palestinian statehood bid of 2011', 'Impact on peace process', 'DNA analysis', 'Appearance', 'Temperament', 'Health', 'References', 'Further reading'], ['Overview of the economy', 'Economic history', 'First contacts with Europe (16th century)', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], ["Men's basketball", 'John C. Wells Planetarium', 'Timeline', 'Usage', 'Notable alumni', 'References'], ['Cited works'], ['Childhood and early life', 'Command and control systems of the United States military', 'Interoperability', 'United States military stubs', 'Telephones', 'Radio and television', 'Internet']]



['Wikipedia: Discrete Fourier transform', 'Wikipedia: Dictatorship', 'Wikipedia: Etruscan language', 'Wikipedia: Exploit (computer security)', 'Wikipedia: Esbat', 'Wikipedia: Northrop Grumman E-8 Joint STARS', 'Wikipedia: Food preservation', 'Wikipedia: Formant', 'Wikipedia: Factoid', 'Wikipedia: Economy of Grenada', 'Wikipedia: General Electric', 'Wikipedia: Group action', 'Wikipedia: Henryk Sienkiewicz', 'Wikipedia: House of Lords', 'Wikipedia: Italian Greyhound', 'Wikipedia: Jericho', 'Wikipedia: John Ashcroft', 'Wikipedia: Transport in Kiribati']
[['Chemistry', 'Isomers', 'History', 'See also', 'References', 'Further reading', 'Drosophila species genome project', 'See also'], ['Criticisms', 'Moral relativism', 'Moral nihilism', 'Morality as a science', 'References', 'Other sources'], ['Use of establishing shots', 'References', 'Formal definition', 'Overview', 'Derivatives and differential equations', 'Continued fractions for }}', 'Complex plane', 'Computation of  where both  and  are complex', 'Matrices and Banach algebras', 'Lie algebras', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'Classification', 'History', '"Ough" words', 'Spelling patterns', 'Spelling-to-sound correspondences', 'Vowels', 'Combinations of vowel letters', 'Consonants', 'Combinations of vowel letters and "r"', 'Combinations of other consonant and vowel letters', 'Sound-to-spelling correspondences', 'Film deposition', 'See also', 'References', 'Further reading'], ['Development', 'Upgrades', 'Design', 'Radar and systems', 'Battle management', 'Binary blobs and other proprietary software', 'Business model', 'Economic aspects and adoption', 'See also', 'Notes', 'References', 'Further reading'], ['References'], ['Traditional techniques', 'History', 'Phonetics', 'Formant estimation', 'Formant plots', "Singer's formant", 'See also', 'Qualification for subsequent competitions', 'European football', 'FA Community Shield', 'Venues', 'Competition rounds', 'Semi-finals', 'Final', 'Artificial turf', 'Trophy', 'Original design', 'Later flag acts', '"Flower Flag" arrives in Asia', 'Historical progression of designs', 'Possible future design of the flag', 'Symbolism', 'Original intentions', 'Design', 'Specifications', 'Colors', '49- and 50-star unions', 'Personal life', 'References'], ['Prescriptive or normative analysis', 'Economics and business', 'Project management', 'Political science', 'Biology', 'Computer science and logic', 'Philosophy', 'Retail and consumer product pricing', 'In popular culture', 'See also', 'Political parties and elections', 'Judicial branch', 'Administrative divisions', 'International organization participation', 'References', '1940s–1960s peplum films', '1970s–2000s', 'List of gladiators', 'See also', 'References', 'Citations', 'Sources', 'Further reading'], ['Formation (1965–1966)', 'Main career (1967–1995)', 'Aftermath (1995 to present)', '"Fare Thee Well"', 'Dead & Company', 'Musical style', 'Merchandising and representation', 'References', 'History', 'Formation', 'References', 'Part III', 'Part IV', 'Part V', 'Characters', 'Main characters', 'Minor characters', "Scarlett's immediate family", 'Tara', 'Clayton County', 'Atlanta', 'Western literature', 'Blyth', 'Yasuda', 'Henderson', 'English-language haiku', 'World literature', 'Related forms', 'Haibun', 'Haiga', 'Kuhi', 'Further reading', 'Life', 'Early life', 'History', '19th century', '20th century', 'People', 'Fictional characters', 'Music', 'Video games', 'Film and television', 'Literature', 'Other uses', 'See also', 'Management', 'Clotting factors', 'Other', 'Contraindications', 'Prognosis', 'Epidemiology', 'History', 'Scientific discovery', 'European royalty', 'Treatment', 'Britain', 'Spain and Spanish Empire', 'Spanish Quest for Medicinal Spices', '19th century: rise of modern medicine', 'Germ theory and bacteriology', 'Women as nurses', 'Women as physicians', 'Paris', 'Vienna', 'Berlin', 'Margaret Murray', 'Influences from literature', 'Influences from occultism', 'Gerald Gardner and Wicca', 'Romano-Celtic fusion', 'Art, fantasy and science fiction', 'See also', 'References'], ['Caribbean', 'Puerto Rico', 'Chile', 'Mexico', 'United States', 'Asia', 'Indian Subcontinent', 'Australia', 'South Africa', 'New Zealand', 'Isotopes', 'Origin and occurrence in nature', 'Cosmogenesis', 'Metallic iron', 'Mantle minerals', "Earth's crust", 'Chemistry and compounds', 'Binary compounds', 'Oxides and hydroxides', 'Halides', 'Businesses and organizations', 'Places', 'Science and technology', 'Biology and medicine', 'Computing', 'Other science and technology', 'Law and government', 'Proposals for land swap', 'Proposal of dual citizenship', 'Settlement expansion', 'Pre Resolution 2334', 'Resolution 2334 and quarterly reports', 'Regularization and outpost method', 'Related matters', 'See also', 'Notes', 'References', 'History', 'Characteristics', 'Health', 'See also', 'References'], ['Edo period (1603–1868)', 'Pre-war period (1868–1945)', 'Postwar period (1945–present)', 'Infrastructure', 'Macro-economic trend', 'GDP composition', 'Development of main indicators', 'Sectors of the economy', 'Agriculture', 'Fishery', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'Notes', 'References'], ['Etymology', 'History and archaeology', 'History of excavations', 'Stone Age: Tell es-Sultan and its spring', 'Natufian hunter-gatherers,  10,000 BCE', 'Pre-Pottery Neolithic,  9500–6500 BCE', 'Illegal activities in Dallas', 'Character', 'John F. Kennedy assassination', 'November 21', 'November 22: The assassination of Kennedy', 'November 24: The killing of Oswald', 'Prosecution', 'Death', 'Official investigations', 'Warren Commission', 'General', 'TV and radio', 'Music and dance', 'See also', 'See also', 'References', 'Roadways']]



['Wikipedia: Ethical non-naturalism', 'Wikipedia: Prince Eugene of Savoy', 'Wikipedia: Erg', 'Wikipedia: Æthelred the Unready', 'Wikipedia: Equal temperament', 'Wikipedia: Free', 'Wikipedia: February 20', 'Wikipedia: Figured bass', 'Wikipedia: Demographics of Germany', 'Wikipedia: GMO (disambiguation)', 'Wikipedia: History of Hebrew grammar', 'Wikipedia: Hickory (disambiguation)', 'Wikipedia: Haggis', 'Wikipedia: List of Italian dishes', 'Wikipedia: Irrealism (the arts)', 'Wikipedia: Into the Woods', 'Wikipedia: June 12', 'Wikipedia: Foreign relations of Kiribati']
[['Definition', 'Motivation', 'Example', 'Inverse transform', 'Properties', 'Linearity', 'Time and frequency reversal', 'Etymology', 'Types of dictatorship', 'Military dictatorships', 'Single-party dictatorships', 'Personalist dictatorships', 'Monarchic dictatorships', 'Hybrid dictatorships', 'Measuring dictatorships', 'History', 'Dictators in the Roman Republic', 'Definitions and examples', 'A difficult question', 'Another argument for non-naturalism'], ['History of Etruscan literacy', 'Demise', 'Geographic distribution', 'Classification', 'Tyrsenian family hypothesis', 'Isolate hypothesis', 'Other hypotheses', 'Writing system', 'Alphabet', 'Transcendency', 'Computation', 'See also', 'Notes', 'References'], ['Types', 'Pivoting', 'See also', 'Notes'], ['See also', 'Orthographies of English-related languages', 'References', 'Bibliography'], ['Etymology', 'Observance', 'See also', 'Notes', 'Operational history', 'Future', 'Variants', 'Operators', 'Specifications (E-8C)', 'See also', 'References', 'Citations', 'Bibliography'], ['Philosophy', 'Computing', 'Mathematics', 'Arts and media', 'Music', 'Curing', 'Cooling', 'Freezing', 'Boiling', 'Heating', 'Sugaring', 'Pickling', 'Lye', 'Canning', 'Jellying', 'References'], ['Events', '1871 original', '1895 replica', 'Current design', '1911 original', '1992 replica', '2014 replica', 'Medals', 'Sponsorship', 'Records and statistics', 'Team', 'Decoration', 'Display and use', 'Flag etiquette', 'Display on vehicles', 'Display on uniforms', 'Postage stamps', 'Display in museums', 'Places of continuous display', 'Particular days for display', 'Display at half-staff', 'Usage', 'Versus factlet', 'See also', 'References', 'Notes', 'References and further reading', 'Textbooks and general references', 'Historically important texts', 'Other print references'], ['Economic Performance', 'Balance of Payments', 'Regional Situation', 'Statistics', 'References', 'Music', 'Sponsorship of 1992 Lithuanian Olympic Basketball Team', 'Live performances', 'Concert sound systems', 'Tapes', 'Artwork', 'Deadheads', 'Donation of archives', 'Awards', 'Members', 'Discography', 'Public company', 'RCA and NBC', 'Television', 'Power generation', 'Computing', 'Acquisitions and divestments', 'Fraud allegations', 'Insufficient reserves for long-term care policies', 'Anticipated $8 billion loss upon disposition of Baker Hughes', 'Other', 'Definition', 'Left group action', 'Right group action', 'Types of actions', 'Invariant subsets', 'Fixed points and stabilizer subgroups', "and Burnside's lemma", 'Examples', 'Group actions and groupoids', 'Morphisms and isomorphisms between G-sets', 'Robillard family', 'Biographical background and publication', 'Title', 'Structure', 'Coming-of-age story', 'Genre', 'Plot elements', 'Slavery', 'Caste system', 'Faithful and devoted slave', 'Famous writers', 'Pre-Shiki period', 'Shiki and later', 'See also', 'Footnotes', 'References'], ['Travels abroad', 'Return to Poland', 'Later years', 'Death', 'Works', 'Recognition', 'Selected works', 'Novels', 'Other', 'Filmography', 'Lords reform', 'First admission of women', '1997–2010', '2010–present', 'House of Lords Reform Act 2014', 'House of Lords (Expulsion and Suspension) Act 2015', 'Lords Spiritual (Women) Act 2015', 'Proposed move', 'Size', 'Functions', 'History of studies in Hebrew grammar', 'Eras', 'See also', 'Blood contamination', 'Research', 'Gene therapy', 'See also', 'References'], ['U.S. Civil War', 'Statistical methods', 'Worldwide dissemination', 'United States', 'Japan', 'Psychiatry', '20th century and beyond', 'Twentieth-century warfare and medicine', 'Public health', 'Second World War', 'History and etymology', 'Folklore', 'Modern use', 'Vegetarian haggis', 'List of countries by population of Irish heritage', 'Religion', 'Famous members of the diaspora', 'Politicians', 'Artists and musicians', 'Scientists', 'Others', 'See also', 'References', 'Footnotes', 'Solution chemistry', 'Coordination compounds', 'Organometallic compounds', 'Industrial uses', 'Etymology', 'History', 'Development of iron metallurgy', 'Meteoritic iron', 'Wrought iron', 'Cast iron', 'Other uses', 'See also', 'Dishes and foods', 'Further reading'], ['Irrealism in literature', 'Plot', 'Act 1', 'Act 2', 'Industry', 'Automobile manufacturing', 'Mining and petroleum exploration', 'Services', 'Tourism', 'Finance', 'Labor force', 'Law and government', 'Culture', 'Overview', 'Events', 'Births', 'Deaths', 'Pre-Pottery Neolithic A (PPNA)', 'Pre-Pottery Neolithic B (PPNB, a period of about 1.4 millennia)', 'Bronze Age', 'Early Bronze Age', 'Middle Bronze Age', 'Late Bronze Age', 'Iron Age', 'Persian and Early Hellenistic periods', 'Hasmonean and Herodian periods', 'Herodian period', 'Other investigations and dissenting theories', "Ruby's motive", 'Associations with organized crime and gunrunning allegations', 'In popular culture', 'Film', 'Literature', 'Music', 'Television', 'See also', 'References', 'Early life and education', 'Political career', 'Missouri State Auditor', 'Attorney General of Missouri', 'Governor of Missouri (1985–1993)', 'U.S. Senator from Missouri', 'U.S. Attorney General', 'Consultant and lobbyist', 'Political issues', 'Water transport', 'Air travel', 'Airports', 'See also', 'References'], []]



['Wikipedia: Elvis Presley', 'Wikipedia: Everway', 'Wikipedia: Eric Cheney', 'Wikipedia: List of programmers', 'Wikipedia: Transport in Grenada', 'Wikipedia: Foreign relations of Grenada', 'Wikipedia: Genetically modified organism', 'Wikipedia: Groupoid', 'Wikipedia: Howard Hawks', 'Wikipedia: Hg', 'Wikipedia: Modern Hebrew phonology', 'Wikipedia: Hemicellulose', 'Wikipedia: Hank Aaron', 'Wikipedia: Integer', 'Wikipedia: You have two cows', 'Wikipedia: Communications in Japan', 'Wikipedia: John Horton Conway', 'Wikipedia: James Randi', 'Wikipedia: Japheth']
[['Conjugation in time', 'Real and imaginary part', 'Orthogonality', "The Plancherel theorem and Parseval's theorem", 'Periodicity', 'Shift theorem', 'Circular convolution theorem and cross-correlation theorem', 'Convolution theorem duality', 'Trigonometric interpolation polynomial', 'The unitary DFT', '19th-century Latin American caudillos', 'Communism and Fascism in 20th-century dictatorships', 'Dictatorships in Africa and Asia after World War II', 'Democratization', 'Theories of dictatorship', 'See also', 'References', 'Further reading', 'Life and career', '1935–1953: Early years', 'Childhood in Tupelo', 'Teenage life in Memphis', '1953–1956: First recordings', 'Text', 'Complex consonant clusters', 'Phases', 'Corpus', 'Bilingual text', 'Longer texts', 'Inscriptions on monuments', 'Inscriptions on portable objects', 'Votives', 'Specula', 'Early life (1663–99)', 'Hôtel de Soissons', 'Great Turkish War', 'Holy League', "Interlude in the west: Nine Years' War", 'Zenta', 'Mid life (1700–20)', 'History', 'See also', 'References', 'Name', 'Early life', 'Conflict with the Danes', 'Battle of Maldon', 'England begins tributes', 'Renewed Danish raids', "St. Brice's Day massacre of 1002", 'Invasion of 1013', 'General properties', 'General formulas for the equal-tempered interval', 'Twelve-tone equal temperament', 'History', 'China', 'Europe', 'Mathematics', 'Early life', 'Career', 'Steve McQueen', 'Performers', 'Albums', 'Songs', 'Other media', 'Organizations', 'People', 'Other', 'See also', 'Jugging', 'Burial', 'Confit', 'Fermentation', 'Modern industrial techniques', 'Pasteurization', 'Vacuum packing', 'Freeze drying', 'Artificial food additives', 'Irradiation', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['Individual', 'All rounds', 'Cup runs and giant killings', 'Early years', 'Non-League giant killings', 'Non-League cup runs', 'Giant killings between League clubs', 'Winners and finalists', 'Results by team', 'Consecutive winners', 'Folding for storage', 'Use in funerals', 'Related flags', 'See also', 'Article sections', 'Associated people', 'References', 'Bibliography', 'Further reading'], ['Basso continuo', 'Figured bass notation', 'Numbers', 'Accidentals', 'Example in context', 'History', 'Contemporary uses', 'See also', 'Notes', 'History', 'Total Fertility Rate from 1800 to 1899', 'Life expectancy from 1875 to 2015', 'Statistics since 1900', 'Current vital statistics', '1945–1990', '1990–today', 'References', 'Definition', 'Production', 'History', 'Bacteria', 'Viruses', 'Fungi', 'See also', 'References', 'Further reading'], ['Financial performance', 'Dividends', 'Stock', 'Bribery', 'Corporate affairs', 'CEO', 'Corporate recognition and rankings', 'Businesses', 'Former divisions', 'Environmental record', 'Continuous group actions', 'Strongly continuous group action and smooth points', 'Variants and generalizations', 'See also', 'Notes', 'Citations', 'References'], ['Southern belle', 'Historical background', 'Battles', 'Early and mid war years', 'Atlanta Campaign', 'March to the Sea', "President Lincoln's murder", 'Manhood', 'Scallawag', 'Themes', 'Early life and background', 'Career', 'Entering films (1916–1925)', 'Silent films (1925–1929)', 'Early sound films (1930–1934)', 'Later sound films (1935–1970)', 'See also', 'References'], ['Legislative functions', 'Relationship with the government', 'Former judicial role', 'Membership', 'Lords Spiritual', 'Lords Temporal', 'Hereditary peers', 'Lords of Appeal in Ordinary', 'Life peers', 'Qualifications', 'References', 'Bibliography'], ['Places in the United States', 'Other uses', 'See also', 'Nazi and Japanese medical research', 'Malaria', 'Post-World War II', 'Modern surgery', 'See also', 'Explanatory notes', 'References', 'Further reading', 'Physicians', 'Historiography', 'Outside Scotland', 'Trivia', 'See also', 'References'], ['Bibliography'], ['Symbol', 'Steel', 'Foundations of modern chemistry', 'Recent discoveries', 'Symbolic role', 'Laboratory routes', 'Main industrial route', 'Blast furnace processing', 'Steelmaking', 'Direct iron reduction', 'Zuppe e salse (soups and sauces)', 'Pane (bread)', 'Common pizzas', 'Pasta varieties', 'Pasta dishes', 'Rice dishes', 'Pesce (fish dishes)', 'Carne (meat dishes and cured meats)', 'Verdura (vegetables)', 'Nut dishes', 'Irrealism in art', 'Irrealist Art, Film and Music Edition', 'Irrealism in music', 'See also', 'Footnotes', 'References', 'Musical numbers', 'Productions', 'Pre-Broadway San Diego production', 'Original Broadway production', '1988 US tour production', 'Original London production', '1998 London revival production', '2002 Broadway revival production', 'London Royal Opera House, 2007', "Regent's Park Open Air Theatre production, 2010", 'Keiretsu', 'Mergers and Acquisitions', 'Other economic indicators', 'See also', 'Notes'], ['Holidays and observances', 'References'], ['In the New Testament', 'Roman province', 'Byzantine period', 'Early Muslim period', 'Crusader period', 'Ayyubid and Mamluk periods', 'Ottoman period', '16th century', '17th century', '19th century', 'Further reading'], ['Early life', 'Personal life', 'Books', 'Representation in other media', 'References'], ['Regional Relations', 'Extra-regional relations', 'Diplomatic missions', 'Bilateral relations', 'Kiribati and the Commonwealth of Nations', 'Aid & Development', 'See also']]



['Wikipedia: Django Reinhardt', 'Wikipedia: Econometrics', 'Wikipedia: Free software movement', 'Wikipedia: Federated States of Micronesia', 'Wikipedia: Fashion', 'Wikipedia: Gzip', 'Wikipedia: Hydrology', 'Wikipedia: Hamoaze', 'Wikipedia: History of Kuwait']
[['Expressing the inverse DFT in terms of the DFT', 'Eigenvalues and eigenvectors', 'Uncertainty principles', 'Probabilistic uncertainty principle', 'Deterministic uncertainty principle', 'DFT of real and purely imaginary signals', 'Generalized DFT (shifted and non-linear phase)', 'The real-input multidimensional DFT', 'Applications', 'Spectral analysis', 'Biography', 'Early life', 'Marriage and injury', 'Discovery of jazz', 'Formation of the quintet', 'Sam Phillips and Sun Records', 'Early live performances and RCA Victor contract', 'Louisiana Hayride, radio commercial, and first television performances', '1956–1958: Commercial breakout and controversy', 'First national TV appearances and debut album', 'Milton Berle Show and "Hound Dog"', 'Steve Allen Show and first Sullivan appearance', 'Crazed crowds and film debut', 'Leiber and Stoller collaboration and draft notice', "1958–1960: Military service and mother's death", 'Cistae', 'Rings and ringstones', 'Coins', 'Phonology', 'Vowels', 'Consonants', 'Table of consonants', 'Voiced stops missing', 'Syllabic theory', 'Morphology', 'War of the Spanish Succession', 'President of the Imperial War Council', 'Blenheim', 'Turin and Toulon', 'Oudenarde and Malplaquet', 'Final campaigning: Eugene alone', 'Austro-Turkish War', 'Quadruple Alliance', 'Later life (1721–36)', 'Governor-General of the Southern Netherlands', 'Description', 'Setting', 'Character creation', 'The Fortune Deck', 'Reception', 'Reviews', 'References'], ['Death and burial', 'Legislation', 'Legacy', 'Origin of the jury', 'Appearance and character', 'Marriages and issue', 'See also', 'References', 'Notes', 'Citations', 'Calculating absolute frequencies', 'Comparison with just intonation', 'Seven-tone equal division of the fifth', '5-tone equal temperament', '7-tone equal temperament', 'Various Western equal temperaments', 'Equal temperaments of non-octave intervals', 'Proportions between semitone and whole tone', 'Related tuning systems', 'References'], ['Basic models: linear regression', 'Philosophy', 'Actions', 'Writing and spreading free software', 'Building awareness', 'Legislation and Government', 'Pulsed electric field electroporation', 'Modified atmosphere', 'Nonthermal plasma', 'High-pressure food preservation', 'Biopreservation', 'Hurdle technology', 'See also', 'Notes', 'References', 'Further reading', 'A', 'B', 'C', 'D', 'E', 'F', 'G', 'H', 'Winning managers', 'Doubles/Trebles', 'Outside England', 'Outside the top division', 'Media coverage', 'Domestic broadcasters', 'Overseas broadcasters', 'References', 'Notes', 'History', 'Politics', 'Defense and foreign affairs', 'Further reading'], ['Clothing fashions', 'Demographic statistics', 'Ethnic minorities and migrant background (Migrationshintergrund)', 'Foreign nationals in Germany', 'Genetics of the German native people', 'Geography', 'States', 'Cities', 'Metropolitan regions', 'Immigration', 'Education', 'Bilateral relations', 'International recognition of Grenada', 'UN member states', 'Non-UN member states', 'Grenada and the Commonwealth of Nations', 'Illicit drugs', 'See also', 'References', 'Plants', 'Crops', 'Animals', 'Mammals', 'Humans', 'Fish', 'Insects', 'Other', 'Regulation', 'Controversy', 'Definitions', 'Algebraic', 'Category theoretic', 'Comparing the definitions', 'Vertex groups', 'Category of groupoids', 'Fibrations and coverings', 'Examples', 'Topology', 'Pollution', 'Pollution of the Hudson River', 'Pollution of the Housatonic River', 'Environmental initiatives', 'Educational initiatives', 'Marketing initiatives', 'Political affiliation', 'Notable appearances in media', 'See also', 'References', 'File format', 'Implementations', 'Derivatives and other uses', 'See also', 'Notes', 'Survival', 'Critical reception', 'Reviews', 'Scholarship: Racial, ethnicity and social issues', 'Awards and recognition', 'Adaptations', 'In popular culture', 'Books, television and more', 'Collectibles', 'The Windies', 'Personal life', 'Style', 'Writing and producing', 'Filmography', 'Awards and recognition', 'Legacy', 'Notes', 'References', 'Further reading'], ['Arts and media', 'Organizations', 'Places', 'Science and technology', 'Other uses', 'See also', 'Cash for Peerages', 'Removal from House membership', 'Officers', 'Procedure', 'Disciplinary powers', 'Regulation of behaviour in the chamber', 'Leave of absence', 'Attendance allowance', 'Committees', 'Current composition', 'Oriental and non-Oriental accents', 'Pronunciation of', 'Consonants', 'Illustrative words', 'Historical sound changes', 'Spirantization', 'Loss of final H consonant', 'Vowels', 'Vowel length', 'Shva', 'Composition', 'Structural comparison to cellulose', 'Biosynthesis', 'Applications', 'Natural Functions', 'Extraction', 'See also', 'Primary sources', 'Illustrations'], ['Early life', 'Negro league and minor league career', 'MLB career', 'Prime of his career', 'Home run milestones and 3,000th hit', "Breaking Ruth's record", 'Post-playing career', 'Personal life', 'Algebraic properties', 'Order-theoretic properties', 'Construction', 'Computer science', 'Cardinality', 'See also', 'Footnotes', 'References', 'Sources'], ['Thermite process', 'Applications', 'As structural material', 'Mechanical properties', 'Types of steels and alloys', 'Iron compounds', 'Biological and pathological role', 'Biochemistry', 'Nutrition', 'Diet', 'Vino (wines)', 'Formaggi (cheeses)', 'Cheese dishes', 'Desserts and pastry', 'Caffè (coffee)', 'Famous dishes', 'Special occasions', 'Unique dishes and foods by region', 'Friuli-Venezia Giulia', 'Veneto', 'History', 'Notable usages', 'See also', 'Notes', 'References', 'Central Park Delacorte Theater production, 2012', 'Hollywood Bowl production, 2019', 'Other productions', '2016 Tel Aviv production', 'Casting history', 'Notable Broadway Replacements:', 'Notable Broadway Revival Replacements:', 'Adaptations', 'Junior version', 'Film', 'Overview of communication services', 'Telephone services', 'Mobile phone services', 'Radio and television broadcasting', 'Internet services', 'Postal services', 'General background and history', 'Early life', "Conway's Game of Life", 'Conway and Martin Gardner', 'Major areas of research', 'Combinatorial game theory', 'Geometry', 'Geometric topology', 'Group theory', 'Number theory', 'Algebra', '1900–1918', 'British Mandate period', 'Jordanian period', '1967, aftermath', 'Geography and climate', 'Demographics', 'Economy', 'Tourism', 'Biblical and Christian tourism', 'Archaeological tourism', 'Career', 'Magician', 'Author', 'Skeptic', 'Exploring Psychic Powers ... Live television show', 'James Randi Educational Foundation (JREF)', '2010s', 'Views on religion', 'One Million Dollar Paranormal Challenge', 'Legal disputes', 'Etymology', 'Japheth in the Book of Genesis', 'Origin of Japheth', "Place in Noah's family", 'Descendants', 'Europeans', 'In Islamic tradition', 'See also', 'References'], ['Antiquity']]



['Wikipedia: Eurocard (printed circuit board)', 'Wikipedia: Edward Elgar', 'Wikipedia: Frequency modulation', 'Wikipedia: Fenway Park', 'Wikipedia: History of Guam', 'Wikipedia: Ghent', 'Wikipedia: George Harrison', 'Wikipedia: General anaesthetic', 'Wikipedia: History of Germany', 'Wikipedia: House of Hohenzollern', 'Wikipedia: Hillbilly', 'Wikipedia: Hanover', 'Wikipedia: Holy Grail', 'Wikipedia: Impressionism in music', 'Wikipedia: Lightbulb joke', 'Wikipedia: Transport in Japan', 'Wikipedia: Jason Alexander']
[['Filter bank', 'Data compression', 'Partial differential equations', 'Polynomial multiplication', 'Multiplication of large integers', 'Convolution', 'Some discrete Fourier transform pairs', 'Generalizations', 'Representation theory', 'Other fields', 'The Second World War', 'United States tour', 'After the quintet', 'Final years', 'Technique and musical approach', 'Family', 'Legacy', 'Tributes', 'Influence', 'Reinhardt in popular culture', '1960–1968: Focus on films', 'Elvis Is Back', 'Lost in Hollywood', '1968–1973: Comeback', "Elvis: the '68 Comeback Special", 'From Elvis in Memphis and the International', 'Back on tour and meeting Nixon', 'Marriage breakdown and Aloha from Hawaii', '1973–1977: Health deterioration and death', 'Medical crises and last studio sessions', 'Nouns', 'Pronouns', 'Personal', 'Demonstrative', 'Adjectives', 'Adverbs', 'Verbs', 'Present active', 'Past or preterite active', 'Past passive', "'Cold war'", 'War of the Polish Succession', 'Last years and death', 'Sexual orientation', 'Patron of the arts', 'Assessment', 'Usage', 'See also', 'References', 'Notes', 'Dimensions', 'Standards and architecture', 'See also', 'Sources', 'Further reading'], ['Regular diatonic tunings', 'See also', 'References', 'Citations', 'Sources', 'Further reading'], ['Theory', 'Methods', 'Example', 'Journals', 'Limitations and criticisms', 'See also', 'Further reading', 'References'], ['France', 'Peru', 'United Kingdom', 'United States of America', 'Uruguay', 'Venezuela', 'Economics', 'Subgroups and schisms', 'Open source', 'Stallman and Torvalds'], ['Theory', 'Sinusoidal baseband signal', 'I', 'J', 'K', 'L', 'M', 'N', 'O', 'P', 'Q', 'R', 'History', 'Changes to Fenway Park', 'New Fenway Park', 'Seating capacity', 'Administrative divisions', 'Disputed sovereignty', 'Geography', 'Transportation', 'Economy', 'Society', 'Demographics', 'Languages', 'Religion', 'Health', 'Fashion industry', 'Fashion trend', 'Political influences', 'Technology influences', 'Social influences', 'Economic influences', 'Circular economy', "China's domestic spending", 'Marketing', 'Market research', 'Literacy', 'Health', 'Religion', '2011 Census', 'Languages', 'Minority languages', 'High German dialects', 'Low Saxon dialects', 'Foreign languages', 'See also', 'Guam prior to European contact', 'Migrations', 'Ancient Chamorro society', 'References'], ['History', 'Equivalence relation', 'Group action', 'Finite set', 'Quotient variety', 'Fiber product of groupoids', 'Homological algebra', 'Puzzles', 'Mathieu groupoid', 'Relation to groups', 'Properties of the category Grpd', 'Further reading'], ['Early years: 1943–1958', 'References'], ['Mode of administration', 'Legacy', 'Publication history', 'Original manuscript', 'Publication and reprintings (1936-USA)', 'Sequels and prequels', 'Copyright status', 'See also', 'References', 'Further reading'], ['Prehistory', 'Early cultures', 'Germanic tribes, 750 BC – 768 AD', 'Branches', 'Applications', 'History', 'Themes', 'Groundwater', 'Infiltration', 'Soil moisture', 'Government leaders and ministers in the Lords', 'Leaders and chief whips', 'Other ministers', 'Other whips (Lords and Baronesses-in-Waiting)', 'See also', 'Overseas counterparts', 'References', 'Bibliography'], ['Stress', 'Morphophonology', 'Notes', 'References', 'References'], ['Etymology and history', 'See also', 'References', 'History', 'Awards and honors', 'See also', 'Notes', 'Footnotes', 'References'], ['History', 'Characteristics', 'See also', 'Dietary recommendations', 'Deficiency', 'Excess', 'Cancer', 'See also', 'References', 'Bibliography', 'Further reading'], ['Trentino-Alto Adige/Südtirol', 'Lombardy', "Val D'Aosta", 'Piedmont (Piemonte)', 'Liguria', 'Emilia-Romagna', 'Tuscany', 'Umbria', 'Marche', 'Lazio', 'Variations', 'References', 'Notes', 'Analysis of book and music', 'Awards and nominations', '1999 London revival', '2002 Broadway revival', '2010 London revival', '2012 New York revival', '2014 Australian production', '2015 Off-Broadway production', 'References'], ['See also', 'References', 'Railway', 'Analysis', 'Algorithmics', 'Theoretical physics', 'Awards and honours', 'Death', 'Publications', 'See also', 'References', 'Sources'], ['Agriculture', 'Schools and religious institutions', 'Health care', 'Sports', 'Twin towns – sister cities', 'Notable residents', 'In popular culture', 'See also', 'References', 'Bibliography', 'Uri Geller', 'Other cases', 'Personal life', 'Political views', 'Awards and honours', 'World records', 'Bibliography', 'Television and film', 'Actor', 'Himself', 'References', 'Citations', 'Bibliography'], ['Battle of Chains', 'Founding of modern Kuwait (1613–1716)', 'Early growth (1716–1937)', 'Port City', 'Merchants', 'Al Sabahs', 'Anglo-Ottoman convention (1913)', 'Kuwait–Najd War (1919–21)', 'Battle of Jahra', 'The Uqair protocol']]



['Wikipedia: Emanuel Leutze', 'Wikipedia: Electron counting', 'Wikipedia: Edward Gibbon', 'Wikipedia: Ellen van Langen', 'Wikipedia: Economy of Germany', 'Wikipedia: Galliard', 'Wikipedia: George Washington Carver', 'Wikipedia: Homeomorphism', 'Wikipedia: International trade', 'Wikipedia: IEEE 802.15', 'Wikipedia: International Electrotechnical Commission', 'Wikipedia: Isaac Klein', 'Wikipedia: July 10', 'Wikipedia: Society of Jesus', 'Wikipedia: James Lind']
[['Other finite groups', 'Alternatives', 'See also', 'Notes', 'References', 'Further reading'], ['Discography', 'Releases in his lifetime', 'Posthumous compilations', 'Unrecorded compositions', 'See also', 'Notes', 'Bibliography', 'References'], ['Final months and death', 'Cause of death', 'Later developments', 'Artistry', 'Influences', 'Musicianship', 'Musical styles and genres', 'Vocal style and range', 'Public image', 'Relationship with the African-American community', 'Vocabulary', 'Borrowings from Etruscan', 'Etruscan vocabulary', 'Numerals', 'Core vocabulary', 'Sample texts', 'See also', 'Notes', 'Bibliography', 'Further reading', 'Primary', 'Secondary', 'Further reading', 'Counting rules', 'Neutral counting', 'Ionic counting', 'Biography', 'Early years', 'Marriage', 'Growing reputation', 'National and international fame', 'Last major works', 'Last years', 'Music', 'Influences, antecedents and early works', 'Peak creative years', 'Early life: 1737–1752', 'Oxford, Lausanne, and a religious journey: 1752–1758', 'Thwarted romance', 'First fame and the grand tour: 1758–1765', 'Early career: 1765–1776', 'The History of the Decline and Fall of the Roman Empire: 1776–1788', 'Career', 'References'], ['Criticism and controversy', 'Should principles be compromised?', 'How will programmers get paid?', 'Copyleft licensing is "viral"', 'License proliferation and compatibility', 'See also', 'References', 'Further reading'], ['Modulation index', 'Bessel functions', "Carson's rule", 'Noise reduction', 'Implementation', 'Modulation', 'Demodulation', 'Applications', 'Doppler effect', 'Magnetic tape storage', 'S', 'T', 'U', 'V', 'W', 'Y', 'Z', 'See also', 'References', 'Features', 'The Green Monster', '"The Triangle"', '"Williamsburg"', 'The Lone Red Seat', 'Foul poles', '"Duffy\'s Cliff"', 'Dell EMC Club', 'Program hawkers', 'Park usage', 'Sport', 'Baseball', 'Association football', 'FSMAA', 'Culture', 'Literature', 'See also', 'Notes', 'References', 'Sources', 'Symbolic consumption', 'Media', 'Controversial advertisements in fashion industry', 'Racism in fashion advertisements', 'Sexism in fashion advertisements', 'Public relations and social media', 'Anthropological perspective', 'Intellectual property', 'Political activism', 'African-Americans in Fashion', 'Notes', 'References'], ['Latte', 'Spanish era', "Magellan's first encounter with Guam", 'Spanish colonization', 'Governors of Spanish Marianas', 'American era', 'Capture of Guam', 'World War II', 'Self-determination', 'Contemporary Guam', 'Middle Ages', 'Early modern period', '19th century', '20th century', 'Geography', 'Neighbouring municipalities', 'Climate', 'Demographics', 'Population', 'Tourism', 'Relation to Cat', 'Relation to sSet', 'Lie groupoids and Lie algebroids', 'See also', 'Notes', 'References', 'The Beatles: 1958–1970', 'Solo career: 1968–1987', 'Early solo work: 1968–1969', 'All Things Must Pass: 1970', 'The Concert for Bangladesh: 1971', 'Living in the Material World to George Harrison: 1973–1979', 'Somewhere in England to Cloud Nine: 1980–1987', 'Later career: 1988–1996', 'The Traveling Wilburys and return to touring: 1988–1992', 'The Beatles Anthology: 1994–1996', 'Inhalation', 'Injection', 'Method of action', 'GABAA receptor agonists', 'NMDA receptor antagonists', 'Two-pore potassium channels (K2Ps) activation', 'Others', 'Stages of Anesthesia', 'Stage I - Analgesia', 'Stage II - Excitement', 'Early years', 'College education', 'Tuskegee Institute', 'Migration and conquest', 'Collision with the Roman Empire', 'Stem duchies and marches', 'Frankish Empire', 'Middle Ages', 'Foundation of the Holy Roman Empire', 'Otto the Great', 'Hanseatic League', 'Eastward expansion', 'Church and state', 'Surface water flow', 'Precipitation and evaporation', 'Remote sensing', 'Water quality', 'Integrating measurement and modelling', 'Prediction', 'Statistical hydrology', 'Modeling', 'Transport', 'Organizations', 'Definition', 'Examples', 'Non-examples', 'Notes', 'County of Zollern', 'Counts of Zollern (1061–1204)', 'Franconian branch', 'Burgraves of Nuremberg (1192–1427)', 'Margraves of Brandenburg-Ansbach (1398–1791)', 'Margraves of Brandenburg-Kulmbach (1398–1604), later Brandenburg-Bayreuth (1604–1791)', 'Dukes of Jägerndorf (1523–1622)', 'Brandenburg-Prussian branch', 'Margraves of Brandenburg (1415–1619)', 'In popular culture', 'Music', 'Cultural implications', 'Intragroup versus intergroup usage', 'See also', 'References'], ['19th century', 'Nazi Germany', 'World War II', 'Population development', 'Geography', 'Climate', 'Subdivisions', 'Districts', 'Quarters', 'Main sights', 'Etymology', 'Medieval literature', 'Chrétien de Troyes', 'Robert de Boron', 'Lancelot-Grail', 'Wolfram von Eschenbach', 'Scholarly hypotheses', 'References', 'Further reading', 'Characteristics of global trade', 'IEEE 802.15.1: WPAN / Bluetooth', 'IEEE 802.15.2: Coexistence', 'IEEE 802.15.3: High Rate WPAN', 'IEEE 802.15.3-2003', 'Abruzzo  and Molise', 'Campania', 'Apulia (Puglia)', 'Basilicata', 'Calabria', 'Sicily (Sicilia)', 'Sardinia (Sardegna)', 'Ingredients', 'Herbs and spices', 'See also', 'History', 'IEC standards', 'Membership and participation', 'Full members', 'Associate members (limited voting and managerial rights)', 'Personal life, education, and career', 'Role within Conservative Judaism', 'Rabbinic thought', 'Shinkansen (bullet train)', 'Road', 'Road safety', 'Airway', 'Maritime', 'Pipelines', 'By region', 'References', 'Further reading'], ['Events', 'Births', 'Deaths'], ['History', 'Foundation', 'Other media', 'See also', 'Notes', 'References', 'Further reading'], ['Early life', 'Acting career', 'Stage career', 'Television', 'Films', 'Other work', 'Commercial work', 'Voice work', 'Standup/host', 'Modern era', 'Golden era (1946–82)', '1982–89', 'Gulf War (1990–91)', 'After Gulf War (1992–present)', 'See also', 'References', 'Further reading']]



['Wikipedia: Dual polyhedron', 'Wikipedia: Digit', 'Wikipedia: Election', 'Wikipedia: Entropy', 'Wikipedia: Emacs Lisp', 'Wikipedia: Food', 'Wikipedia: Faith and rationality', 'Wikipedia: Film stock', 'Wikipedia: Frederick William, Elector of Brandenburg', 'Wikipedia: Geography of Guam', 'Wikipedia: Hvergelmir', 'Wikipedia: Host', 'Wikipedia: Isaac Ambrose', 'Wikipedia: ISO 9660', 'Wikipedia: Intron', 'Wikipedia: Foreign relations of Japan', 'Wikipedia: June 24', 'Wikipedia: Geography of Kuwait']
[['Kinds of duality', 'Polar reciprocation', 'Canonical duals', 'Topological duality', 'Dorman Luke construction', 'Self-dual polyhedra', 'Mathematics and science', 'Arts and media', 'Other uses', 'See also', 'Sex symbol', 'Equestrian', 'Associates', 'Colonel Parker and the Aberbachs', 'Memphis Mafia', 'Legacy', 'Achievements', 'Discography', 'Filmography', 'See also'], ['General', 'Inscriptions', 'Lexical items', 'Font', 'History', 'Prehistory and antiquity', 'Middle Ages', 'Early modern period', 'Erfurt during the Napoleonic Wars', 'Since 1815', 'Geography and demographics', 'Topography', 'Climate', 'Administrative divisions', 'Biography', 'Europe', 'New York City and Washington, D.C.', 'Gallery of works', 'Footnotes', 'References'], ['Electrons donated by common fragments', '"Special cases"', 'Examples', 'See also', 'References', 'Final years and posthumous completions', 'Reputation', 'Honours, awards and commemorations', 'See also', 'Notes and references', 'Sources', 'Further reading'], ['Compared to other Lisp dialects', 'Example', 'Source code', 'Byte code', 'Food sources', 'Plants', 'Animals', 'Classifications and types of food', 'Sound', 'Radio', 'See also', 'References', 'Further reading', 'History', '1888–1899: Before standardization', '1900–1919: Toward the standard picture film', '1920s: Diversification of film sensitivity', 'Baseball', 'Boxing', 'Soccer', 'Football', 'Team records at Fenway', 'Hockey', 'Hurling and Gaelic Football', 'Concerts', 'Ski and snowboard', 'Public address announcers'], ['Biography', 'Foreign diplomacy', 'Modern Day Fashion', 'Early American Fashion', 'Movements using Fashion', 'Civil Rights Movement', 'Black Panther Party', 'Colorism in Fashion', 'Statistics', 'Tokenism', 'Cultural Appropriation', 'See also', 'History', 'Age of Industrialization', 'Weimar Republic and Third Reich', 'West Germany', 'East Germany', 'Federal Republic', 'Data', 'Companies', 'Mergers and Acquisitions', 'Economic region', 'See also', 'Further reading', 'References'], ['Architecture', 'Museums', 'Restaurants and culinary traditions', 'Festivities', 'Nature', 'Economy', 'Transport', 'Road', 'Rail', 'Public transport', 'Dance form', 'Musical form', 'See also', 'Citations', 'General sources'], ['Later life and death: 1997–2001', 'Musicianship', 'Guitar work', 'Sitar and Indian music', 'Songwriting', 'Collaborations', 'Guitars', 'Film production and HandMade Films', 'Humanitarian work', 'Personal life', 'Stage III - Surgical Anesthesia', 'Stage IV - Medullary Depression', 'Physiological side effects', 'Pharmacokinetics', 'Intravenous general anesthetics', 'Induction', 'Elimination', 'Inhalational general anesthetics', 'History', 'See also', 'Rise to fame', 'Life while famous', 'Relationships', 'Death', 'Personal life', 'Voice pitch', 'Christianity', 'Honors', 'Legacy', 'Reputed inventions', 'Change and reform', 'Towns and cities', 'Women', 'Learning and culture', 'Early modern Germany', 'Protestant Reformation', "Thirty Years' War, 1618–1648", 'Culture and literacy', 'Science', '1648–1815', 'Intergovernmental organizations', 'International research bodies', 'National research bodies', 'National and international societies', 'Basin- and catchment-wide overviews', 'Research journals', 'See also', 'References', 'Further reading'], ['Properties', 'Informal discussion', 'See also', 'References'], ['Margraves of Brandenburg-Küstrin (1535–1571)', 'Margraves of Brandenburg-Schwedt (1688–1788)', 'Dukes of Prussia (1525–1701)', 'Kings in Prussia (1701–1772)', 'Kings of Prussia (1772–1918)', 'German Emperors (1871–1918)', 'Brandenburg-Prussian branch since 1918 abdication', 'Order of succession', 'Royal House of Hohenzollern table', 'Swabian branch', 'Places', 'People', 'Arts, entertainment, and media', 'Fictional entities', 'Film', 'Literature', 'Society and culture', 'Religious life', 'Museums and galleries', 'Theatre, cabaret and musical', 'Music', 'Classical music', 'Popular music', 'Sport', 'Regular events', 'Transport', 'Later traditions', 'Relics', 'Locations associated with the Holy Grail', 'Modern interpretations', 'Pseudohistory and conspiracy theories', 'Music and painting', 'Literature', 'Film and other media', 'See also', 'References', 'Differences from domestic trade', 'History', 'Theories and models', 'Most traded export products', 'Largest countries by total international trade', 'Top traded commodities by value (exports)', 'Observances', 'See also', 'Notes', 'References', 'IEEE 802.15.3a', 'IEEE 802.15.3b-2006', 'IEEE 802.15.3c-2009', 'IEEE 802.15.4: Low Rate WPAN', 'WPAN Low Rate Alternative PHY (4a)', 'Revision and Enhancement (4b)', 'PHY Amendment for China (4c)', 'PHY and MAC Amendment for Japan (4d)', 'MAC Amendment for Industrial Applications (4e)', 'PHY and MAC Amendment for Active RFID (4f)', 'References', 'Biography', 'Character assessment', 'Affiliates', 'Technical Information', 'Standards and tools in database format', 'See also', 'References'], [], ['Discovery and etymology', 'Distribution', 'History', 'Links', 'Africa', 'Holidays and observances', 'References'], ['Early works', 'Expansion', 'China', 'Canada', 'United States', 'Ecuador', 'Mexico', 'Northern Spanish America', 'Paraguay', 'Colonial Brazil', 'Early life', 'Legacy', 'Prevention and cure of scurvy', 'Prevention of typhus', 'Fresh water from the sea', 'Tropical disease', 'Family', 'Magic interests', 'Charity', 'Personal life', 'Filmography', 'Film', 'Stage', 'Awards and nominations', 'Tony Awards', 'Grammy Awards', 'Primetime Emmy Awards', 'Boundaries', 'Climate', 'Area boundaries', 'Resources and land use', 'Environmental concerns']]



['Wikipedia: Dana Plato', 'Wikipedia: The Evil Dead', 'Wikipedia: Erasmus Alberus', 'Wikipedia: European Investment Fund', 'Wikipedia: Edward Bulwer-Lytton', 'Wikipedia: Fourier analysis', 'Wikipedia: Demographics of Guam', 'Wikipedia: General surgery', 'Wikipedia: Geoffrey Chaucer', 'Wikipedia: Heinrich Himmler', 'Wikipedia: Hunt the Wumpus', 'Wikipedia: Interpolation', 'Wikipedia: International Convention for the Regulation of Whaling', 'Wikipedia: January 30', 'Wikipedia: James Clavell', 'Wikipedia: John Wycliffe', 'Wikipedia: Demographics of Kuwait']
[['Dual polytopes and tessellations', 'Self-dual polytopes and tessellations', 'See also', 'References', 'Notes', 'Bibliography'], ['Early life', 'Career', 'Personal life', 'Explanatory notes', 'Citations', 'General sources', 'Further reading'], ['History', 'Characteristic', 'Suffrage', 'Electorate', 'Nomination of candidate', 'Electoral systems', 'Scheduling', 'Election campaigns', 'Demographics', 'Culture, sights and cityscape', 'Residents notable in cultural history', 'Museums', 'Theatre', 'Sport', 'Cityscape', 'Sights and architectural heritage', 'Churches, monasteries and synagogues', 'Catholic churches and monasteries', 'Life', 'Translations', 'References', 'History', 'Etymology', 'Definitions and descriptions', 'Function of state', 'Reversible process', 'Carnot cycle', 'Classical thermodynamics', 'Statistical mechanics', 'See also', 'Sources', 'Language features', 'From dynamic to lexical scoping', 'References'], ['Adulterated food', 'Camping food', 'Diet food', 'Finger food', 'Fresh food', 'Frozen food', 'Functional food', 'Health food', 'Healthy food', 'Live food', 'Relationship between faith and reason', 'Views of the Roman Catholic Church', 'Lutheran epistemology', 'Reformed epistemology', 'Faith as underlying rationality', 'Rationalist point of view', 'Evangelical views', 'Jewish philosophy', 'Colour films', 'Classification and properties', 'Base', 'Emulsion', 'Chemistry', 'Image record', 'Physical characteristics', 'Responsivity', 'Colour temperature', 'Deterioration', 'Retired numbers', 'Ground rules', 'Access and transportation', 'See also', 'Notes', 'References'], ['Military career', 'Domestic policies', 'Legacy', 'Marriages', 'Ancestry', 'See also', 'References', 'Further reading'], ['References', 'Bibliography', 'Further reading'], ['German states', 'Wealth', 'Sectors', 'Primary', 'Industry', 'Services', 'Government finances', 'Infrastructure', 'Energy', 'Transport', 'Extreme points', 'References', 'Trams', 'Buses', 'Cycling', 'Sports', 'Notable people', 'International relations', 'Twin towns – sister cities', 'Gallery', 'See also', 'References', 'Scope', 'Trauma surgery/ Surgical Critical Care', 'Laparoscopic surgery', 'Colorectal surgery', 'Hinduism', 'Family and interests', 'Relationships with the other Beatles', 'Legacy', 'Discography', 'Notes', 'References', 'Citations', 'Sources', 'Further reading', 'References', 'Origin', 'Career', 'Peanut products', 'Sweet potato products', 'Carver bulletins', 'See also', 'Notes', 'References', 'Scholarly studies', 'Popular works', 'Further reading'], ['Rise of Prussia', 'Wars', 'Enlightened absolutism', 'Smaller states', 'Nobility', 'Peasants and rural life', 'Bourgeois values spread to rural Germany', 'Enlightenment', 'French Revolution, 1789–1815', 'French consulate suzereignity', 'Early life', 'Nazi activist', 'Rise in the SS', 'Attestations', 'Poetic Edda', 'Prose Edda', 'Notes', 'References', 'Counts of Hohenzollern (1204–1575)', 'Counts, later Princes of Hohenzollern-Hechingen (1576–1849)', 'Counts of Hohenzollern-Haigerloch (1576–1634 and 1681–1767)', 'Counts, later Princes of Hohenzollern-Sigmaringen (1576–1849)', 'House of Hohenzollern-Sigmaringen after 1849', 'Kings of the Romanians', 'Reigning (1866–1947)', 'Succession since 1947', 'Residences', 'Palaces of the Prussian Hohenzollerns', 'Music', 'Computing and technology', 'Groups or formations', 'Religion', 'Roles', 'Science', 'See also', 'Rail', 'Air', 'Road', 'Bus and light rail', 'Bicycle', 'Economy', 'List of largest employers in Hanover', 'Key figures', 'Business development', 'Education', 'Sources'], ['Gameplay'], ['Data', 'Official statistics', 'Other data sources', 'Other external links', 'PHY Amendment for Smart Utility Networks (4g)', 'IEEE 802.15.5: Mesh Networking', 'IEEE 802.15.6: Body Area Networks', 'IEEE 802.15.7: Visible Light Communication', 'IEEE P802.15.8: Peer Aware Communications', 'IEEE P802.15.9: Key Management Protocol', 'IEEE P802.15.10: Layer 2 Routing', 'Wireless Next Generation Standing Committee', 'See also', 'References', 'Notes', 'References', 'Signatories and membership', 'History', 'Specifications', 'Overall structure', 'Volume descriptor set', 'Volume descriptor', 'Directories and files', 'Path tables', 'Classification', 'Spliceosomal introns', 'tRNA introns', 'Group I and group II introns', 'Biological functions and evolution', 'Starvation adaptation', 'As mobile genetic elements', 'See also', 'References'], ['Americas', 'Asia', 'Southeast Asia', 'South Asia', 'Europe', 'Modern era', 'Oceania', 'Debates and frictions', 'Disputed territories', 'See also', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['Suppression and restoration', 'Early 20th century', 'Post–Vatican II', 'Ignatian spirituality', 'Formation', 'Governance of the society', 'Statistics', 'Habit and dress', 'Controversies', 'Power-seeking', 'Death', 'Recognition', 'References'], ['Golden Globe Awards', 'Screen Actors Guild Award', 'References'], ['References', 'Governorates', 'Historical populations']]



['Wikipedia: Double bass', 'Wikipedia: Earley parser', 'Wikipedia: European Currency Unit', 'Wikipedia: Form 1040', 'Wikipedia: Flatulence', 'Wikipedia: Frederick V', 'Wikipedia: Guadeloupe', 'Wikipedia: Giant planet', 'Wikipedia: Grok', 'Wikipedia: Hausdorff maximal principle', 'Wikipedia: Hernán Cortés', 'Wikipedia: Handheld game console', 'Wikipedia: Hash', 'Wikipedia: IEEE 802', 'Wikipedia: International Organization for Standardization', 'Wikipedia: IEE', 'Wikipedia: Joshua Jackson', 'Wikipedia: Government of Kuwait']
[['Description', 'Playing style', 'History', 'Terminology', 'Design', 'Construction', 'Legal issues', 'Later life', 'Death', 'Legacy', 'Filmography', 'Awards and nominations', 'References'], ['Plot', 'Cast', 'Production', 'Background and writing', 'Pre-production and casting', 'Principal photography', 'Editing', 'Promotion and distribution rights', 'Difficulties with elections', 'Lack of open political debate or an informed electorate', 'Unfair rules', 'Interference with campaigns', 'Tampering with the election mechanism', 'Show election', 'Examples', 'See also', 'References', 'Bibliography', 'Protestant churches and monasteries', 'Former churches', 'Synagogues', 'Secular architecture', 'Street and square ensembles', 'Fortifications', '19th- and 20th-century architecture in the outskirts', 'Economy and infrastructure', 'Agriculture, industry and services', 'Transport', 'Earley recogniser', 'The algorithm', 'Pseudocode', 'Example', 'Constructing the parse forest', 'See also', 'Entropy of a system', 'Equivalence of definitions', 'Second law of thermodynamics', 'Applications', 'The fundamental thermodynamic relation', 'Entropy in chemical thermodynamics', 'Entropy balance equation for open systems', 'Entropy change formulas for simple processes', 'Isothermal expansion or compression of an ideal gas', 'Cooling and heating', 'Exchange rate', 'Hard ECU proposal', 'Euro replaces the ECU', 'Legal implications', 'Symbol and name', 'Coins and notes', 'Life', 'Political career', 'British Columbia', 'Literary works', 'Legacy', 'Quotations', 'Theosophy', 'Contest', 'Operas', 'Medical food', 'Natural foods', 'Negative-calorie food', 'Organic food', 'Peasant foods', 'Prison food', 'Seasonal food', 'Shelf-stable food', 'Space food', 'Traditional food', 'See also', 'References'], ['Apologetics and philosophical justifications of faith as rational', 'Neutral critiques and analysis', 'Criticisms of the belief that faith is rational', 'Historical overview', 'Intermediate and print stocks', 'Decline', 'See also', 'References', 'Bibliography', 'Further reading', 'Terminology', 'Signs and symptoms', 'Bloating and pain', 'Excessive volume', 'Smell', 'Incontinence of flatus', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages with short descriptions', 'Human name disambiguation pages', 'Applications', 'Applications in signal processing', 'Variants of Fourier analysis', '(Continuous) Fourier transform', 'Fourier series', 'Discrete-time Fourier transform (DTFT)', 'Discrete Fourier transform (DFT)', 'Summary', 'Symmetry properties', 'Technology', 'Challenges', 'See also', 'References', 'Notes', 'Further reading'], ['Births and deaths', 'CIA World Factbook demographic statistics', 'Age structure', 'Population', 'Population growth rate', 'Birth rate', 'Death rate', 'Net migration rate', 'Sex ratio', 'Infant mortality rate', 'Further reading'], ['Etymology', 'Breast surgery', 'Vascular surgery', 'Endocrine surgery', 'Transplant surgery', 'Surgical oncology', 'Cardiothoracic surgery', 'Pediatric surgery', 'Trends', 'Training', 'See also', 'Documentaries'], ['Terminology', 'Later life', 'Relationship to John of Gaunt', 'Religious beliefs', 'Literary works', 'Influence', 'Linguistic', 'Literary', 'English', "Valentine's Day and romance", 'Critical reception', 'Archival collections', 'Other', 'Print publications', 'Imperial French suzereignity', '1815–1871', 'Overview', 'German Confederation', 'Society and economy', 'Population', 'Industrialization', 'Urbanization', 'Railways', 'Newspapers and magazines', 'Consolidation of power', 'Anti-church struggle', 'World War II', 'The Holocaust, racial policy, and eugenics', 'Posen speeches', 'Germanization', '20 July plot', 'Command of army group', 'Peace negotiations', 'Capture and death', 'Statement', 'Examples', 'References'], ['Palaces of the Franconian branches', 'Palaces of the Swabian Hohenzollerns', 'Property Claims', 'Coats of arms', 'Members of the family after abdication', 'Royal Prussian branch', 'Princely Swabian branch', 'See also', 'Notes', 'References', 'Name', 'Early life', 'Early career in the New World', 'Arrival', 'Cuba (1511–1519)', 'Conquest of Mexico (1519–1521)', 'People and residents of Hanover', 'International relations', 'See also', 'References', 'Bibliography'], ['Development', 'Legacy', 'References'], ['Example', 'Piecewise constant interpolation', 'Linear interpolation', 'Polynomial interpolation', 'Spline interpolation', 'Function approximation', 'Via Gaussian processes', 'Other forms'], ['Working groups', 'See also', 'Withdrawals', 'References'], ['Limitations', 'Directory depth limit', 'The 2/4 GiB file size limit', 'Limit on number of directories', 'Extensions and improvements', 'Disc images', 'Operating system support', 'See also', 'References'], ['See also', 'References', 'Further reading'], ['Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['Political intrigue', 'Casuistic justification', 'Exclusion of Jews and Muslims', 'Theological debates', 'Nazi persecution', 'Rescue efforts during the Holocaust', 'In science', 'Jesuit Martyrs of North America', 'Notable members', 'Jesuit churches', 'Biography', 'Early life', 'World War II', 'Imprisoned in Changi', 'Post-war career', 'Early work on films', 'Early prose and screenplay work', 'Leading film director', 'Career as novelist', 'Early life', 'Career', 'Politics', 'Conflict with the Church', 'Doctrines', 'Attack on monasticism', 'Views on the papacy', 'The English Bible', 'Anti-Wycliffe synod', 'Vital statistics', 'Structure of the population http://unstats.un.org/unsd/demographic/products/dyb/dyb2.htm', 'Life expectancy', 'CIA World Factbook demographic statistics', 'See also', 'References']]



['Wikipedia: Drop kick', 'Wikipedia: Enniskillen', 'Wikipedia: Eastern Caribbean dollar', 'Wikipedia: List of film institutes', 'Wikipedia: Forth', 'Wikipedia: French horn', 'Wikipedia: Transport in Germany', 'Wikipedia: Gorilla', 'Wikipedia: Hel (being)', 'Wikipedia: Hang gliding', 'Wikipedia: Hearst Communications', 'Wikipedia: IEEE 802.11', 'Wikipedia: Ice skating', 'Wikipedia: Institute of National Remembrance', 'Wikipedia: January 29']
[['Travel instruments', 'Strings', 'Bows', 'German bow', 'French bow', 'Bow construction and materials', 'Rosin', 'Mechanism of sound production', 'Specific sound and tone production mechanism', 'Pitch', 'Rugby', 'Drop kick technique', 'Rugby league', 'Rugby union', 'Rugby sevens', 'Commercial release', 'Theaters', 'Rating', 'Home video release', 'Reception', 'Early reception', 'Later reception', 'Aftermath', 'Sequels', 'Legacy'], ['Toponymy', 'History', 'By rail', 'By road', 'By light rail and bus', 'By airplane', 'By bike', 'Education', 'Media', 'Politics', 'Mayor and city council', 'Twin towns - sister cities', 'Citations', 'Other reference materials', 'Implementations', 'C, C++', 'Haskell', 'Java', 'C#', 'JavaScript', 'OCaml', 'Perl', 'Phase transitions', 'Approaches to understanding entropy', 'Standard textbook definitions', 'Order and disorder', 'Energy dispersal', 'Relating entropy to energy usefulness', 'Entropy and adiabatic accessibility', 'Entropy in quantum mechanics', 'Information theory', 'Experimental measurement of entropy', 'Currency basket', 'See also', 'References'], ['Magazines', 'Translations', 'Place names', 'Portrayal on television', 'Works by Bulwer-Lytton', 'Novels', 'Series', 'Verse', 'Plays', 'See also', 'Whole food', 'Production', 'Taste perception', 'Sweet', 'Sour', 'Salty', 'Bitter', 'Umami', 'Cuisine', 'Presentation', 'See also', 'Filing requirements', 'Who must file?', 'Filing modalities', 'Paper filing', 'Electronic filing', 'Comparison', 'Signature requirement', 'Cause', 'Mechanism', 'Production, composition, and smell', 'Volume and intestinal gas dynamics', 'Management', 'Pain and bloating', 'Volume', 'Incontinence', 'Society and culture', 'Environmental impact', 'Short description is different from Wikidata', 'Name', 'History', 'Fourier transforms on arbitrary locally compact abelian topological groups', 'Time–frequency transforms', 'History', 'Interpretation in terms of time and frequency', 'See also', 'Notes', 'References', 'Further reading'], ['Road and automotive transport', 'Overview', 'Roads', 'Rail transport', 'International freight trains', 'S-Bahn', 'Life expectancy at birth', 'Total fertility rate', 'Nationality', 'Ethnic groups', 'Religion', 'Languages', 'References', 'History', 'Pre-colonial era', 'Arrival of Europeans', '18th-19th centuries', '20th-21st centuries', 'Geography', 'Geology', 'Climate', 'Flora and fauna', 'Demographics', 'References'], ['Etymology', 'Description', 'Subtypes', 'Gas giants', 'Ice giants', 'Massive solid planets', 'Super-Puffs', 'Extrasolar giant planets', 'Atmospheres', 'See also', 'References', 'Early criticism', 'Manuscripts and audience', 'Printed editions', 'Modern scholarship', 'List of works', 'Major works', 'Short poems', 'Poems of doubtful authorship', 'Works presumed lost', 'Spurious works', 'Descriptions of grok in Stranger in a Strange Land', 'Etymology', 'Adoption and modern usage', 'In computer programmer culture', 'In counterculture', 'See also', 'References'], ['Science and culture during the 18th and 19th century', 'Religion', 'Politics of restoration and revolution', 'After Napoleon', '1848', '1850s', 'Bismarck takes charge (1862–1866)', 'North German Confederation, 1866–1871', 'German Empire, 1871–1918', 'Bismarck era', 'Mysticism and symbolism', 'Relationship with Hitler', 'Marriage and family', 'Historical assessment', 'See also', 'References', 'Informational notes', 'Citations', 'Bibliography', 'Printed', 'Etymology', 'Attestations', 'Poetic Edda', 'Prose Edda', 'Heimskringla', 'Further reading'], ['History', 'March on Tenochtitlán', 'Destruction of Tenochtitlán', 'Appointment to governorship of Mexico and internal dissensions', 'Royal grant of arms (1525)', 'Death of his first wife and remarriage', 'Cortés and the "Spiritual Conquest" of Mexico', 'Expedition to Honduras and aftermath', 'First return to Spain (1528) and Marquessate of the Valley of Oaxaca', 'Return to Mexico', 'Later life and death', 'History', 'Origins', 'Beginnings', 'Game Boy', 'Atari Lynx', 'TurboExpress', 'Bitcorp Gamate', 'Substances', 'Hash mark', 'Computing', 'Other uses', 'See also', 'In higher dimensions', 'In digital signal processing', 'Related concepts', 'Generalization', 'See also', 'References'], ['References'], ['General description', 'Overview', 'History', 'Language use', 'Name and abbreviations', 'Structure', 'IEC joint committees', 'ISO/IEC JTC 1', 'ISO/IEC JTC 2', 'Membership', 'Financing', 'History', 'Early history of ice skating', 'Rising popularity and first clubs', 'Purpose', 'Organisation', 'Director', 'Leon Kieres', 'Janusz Kurtyka', 'Early life', 'Career', 'Personal life', 'Filmography', 'Film', 'Television', 'Stage', 'Awards and nominations', 'References'], ['Events', 'Births', 'Deaths', 'Holidays and observances', 'Institutions', 'Educational institutions', 'Social and development institutions', 'Publications', 'See also', 'Notes', 'References', 'Citations', 'Sources', 'Further reading', 'Movies', 'Novelist', 'Peter Marlowe', 'Novels', "Children's stories", 'Nonfiction', 'Interactive fiction', 'Politics and later life', 'Death', 'References', 'Last days', 'Declared a heretic', 'Works', 'Basic positions in philosophy', 'Attitude toward speculation', 'Veneration', 'Legacy', 'See also', 'Notes', 'Sources', 'Legislative branch (Parliament)', 'Executive branch', 'Government', 'Emir', 'January 2006', 'Elections', 'Judicial branch']]



['Wikipedia: Economic calculation problem', 'Wikipedia: Enya', 'Wikipedia: Ethiopian cuisine', 'Wikipedia: History of Esperanto', 'Wikipedia: Final Fantasy: The Spirits Within', 'Wikipedia: Fat Man', 'Wikipedia: Politics of Guam', 'Wikipedia: Goddess', 'Wikipedia: Gerald Gardner (Wiccan)', 'Wikipedia: Geelong Football Club', 'Wikipedia: Hypertext Transfer Protocol', 'Wikipedia: Intension', 'Wikipedia: Jung (disambiguation)', 'Wikipedia: June 18', 'Wikipedia: Joliet', 'Wikipedia: Just another Perl hacker', 'Wikipedia: Economy of Kuwait']
[['Tuning', 'Regular tuning', 'C extension', 'Other tuning variations', 'Five strings', 'Six strings', 'Playing and performance considerations', 'Body and hand position', 'Physical considerations', 'Volume', 'American and Canadian (gridiron) football', 'NFL', 'NCAA', 'Canadian football', 'Arena football', 'Australian rules football', 'See also', 'References', 'References', 'Notes', 'Bibliography'], ['Military history', 'The Troubles', 'Alleged sexual abuse and assault', 'Miscellaneous', 'Demography', 'Climate', 'Places of interest', 'Sports', 'International events', 'Notable natives and residents', 'People from Erfurt', 'Footnotes', 'References', 'Bibliography'], ['Python', 'Common Lisp', 'Scheme, Racket', 'Resources', 'Interdisciplinary applications of entropy', 'Thermodynamic and statistical mechanics concepts', 'The arrow of time', 'Entropy in DNA sequences', 'Cosmology', 'Economics', 'Hermeneutics', 'See also', 'Notes', 'References', 'Circulation', 'History', 'Coins', 'Banknotes', 'Previous Issues', 'See also', 'References'], ['References', 'Further reading'], ['Contrast in texture', 'Contrast in taste', 'Food preparation', 'Animal preparation', 'Cooking', 'Cooking equipment', 'Raw food preparation', 'Restaurants', 'Food manufacturing', 'Commercial trade', 'Media', 'Places', 'People', 'Ships', 'Other', 'See also', 'Substitute return', 'Variants', 'Accompanying payments', 'Form 1040-V', 'Schedules and extra forms', 'Estimated payments and withholding', 'Payments, refunds, and penalties', 'Relationship with state tax returns', 'OMB control number controversy', 'History', 'Entertainment', 'Religion', 'See also', 'References'], ['Types', 'Single horn', 'Double horn', 'Detachable bell', 'Related horns', 'Natural horn', 'Vienna horn', 'Mellophone', 'Marching horn', 'Wagner tuba', 'Early decisions', 'Naming', 'Development', 'Interior', 'Rapid transit (U-Bahn)', 'Trams (Straßenbahn)', 'Air transport', 'Airlines', 'Airports', 'Water transport', 'See also', 'References', 'Background', 'Political parties and elections', 'See also'], ['Major urban areas ===', 'Health', 'Governance', 'Symbols and flags', 'Economy', 'Tourism', 'Agriculture', 'Light industry', 'Culture', 'Language', 'Evolution and classification', 'Physical characteristics', 'Distribution and habitat', 'Nesting', 'Food and foraging', 'Behaviour', 'Social structure', 'Competition', 'Reproduction and parenting', 'Communication', 'Bibliography'], ['Etymology', 'Derived works', 'See also', 'References', 'Bibliography'], ['History', 'Club identity and culture', 'Guernseys', 'Song: "We Are Geelong"', 'Stadium and training facilities', 'The new empire', 'A federal empire', 'A three class system', 'Kulturkampf', 'Foreign policies and relations', 'Wilhelminian Era (1888–1918)', 'Wilhelm II', 'Alliances and diplomacy', 'Economy', 'Colonies', 'Online', 'Further reading'], ['Egils saga', 'Gesta Danorum', 'Archaeological record', 'Theories', 'Seo Hell', 'Bartholomeus saga postola', 'Origins and development', 'As a given name', 'See also', 'Notes', 'Components', 'Hang glider sailcloth', 'Triangle control frame', 'Training and safety', 'Launch', 'Soaring flight and cross-country flying', 'Performance', 'Stability and equilibrium', 'Instruments', 'Variometer', 'Second return to Spain', 'Expedition against Algiers', 'Last years, death, and remains', 'Taxa named after Cortés', 'Disputed interpretation of his life', 'Representations in Mexico', 'Cultural depictions', 'Writings: the Cartas de Relación', 'Children', 'In popular culture', 'Sega Game Gear', 'Watara Supervision', 'Hartung Game Master', 'Late 1990s', 'Sega Nomad', 'Game Boy Pocket', 'Game.com', 'Game Boy Color', 'Neo Geo Pocket Color', 'Wonderswan Color', 'History', 'The formative years', 'The peak era', 'Retrenching after the Great Depression', 'Newspaper shifts', 'Chief executive officers', 'Operating group heads', 'Overview', 'Statement forms', 'Intensional statement form', 'Examples', 'Extensional statement form', 'Significance', 'Generations', 'History', 'Protocol', '802.11-1997 (802.11 legacy)', '802.11a (OFDM waveform)', '802.11b', '802.11g', '802.11-2007', '802.11n', '802.11-2012', 'International Standards and other publications', 'Document copyright', 'Standardization process', 'International Workshop Agreements', 'Products named after ISO', 'Criticism and laments', 'See also', 'References', 'Further reading'], ['Emergence as a sport', 'Figure skating', 'Physical mechanics of skating', 'Inherent safety risks', 'Communal activities on ice', 'Pictures', 'Videos', 'See also', 'References'], ['Łukasz Kamiński', 'Jarosław Szarek', 'Activities', 'Research', 'Education', 'Board games', 'Lustration', 'Criticism', 'Politicization', 'Organizational and methodological concerns', 'See also', 'References'], ['Events', 'Surveys', 'Specialized studies', 'Primary sources', 'In German'], ['Catholic Church documents', 'Jesuit documents', 'Other links'], ['People', 'Places', 'Further reading'], ['Examples', 'Gulf War', 'See also', 'References']]



['Wikipedia: Diaeresis', 'Wikipedia: Derry', 'Wikipedia: Expert', 'Wikipedia: Erythromycin', 'Wikipedia: F wave', 'Wikipedia: Frederick Douglass', 'Wikipedia: Military of Germany (disambiguation)', 'Wikipedia: Communications in Guam', 'Wikipedia: Hawar Islands', 'Wikipedia: Isaac Asimov', 'Wikipedia: Individualist anarchism', 'Wikipedia: International Olympic Committee', 'Wikipedia: Intelligence (disambiguation)', 'Wikipedia: JFK (disambiguation)', 'Wikipedia: June 13', 'Wikipedia: July 15', 'Wikipedia: John Cade', 'Wikipedia: Joe Orton']
[['Transportation', 'Accessories', 'Classical repertoire', 'Solo works for double bass', '1700s', '1800s', '1900s–present', 'Chamber music with double bass', 'Orchestral passages and solos', 'Double bass ensembles', 'See also', 'Theory', 'Comparing heterogeneous goods', 'Relating utility to capital and consumption goods', 'Entrepreneurship', 'Coherent planning', 'Financial markets', 'Example', 'Implementation of central planning decisions', 'Criticism', 'Education', 'Primary level', 'Secondary level', 'Colleges', 'Transport', 'Rail – historic', 'Rail – current', 'Bus', 'Air', 'Road', 'Early life', 'Career', '1976–1985: Clannad and early solo career', '1985–1989: The Celts and Watermark', '1989–1997: Shepherd Moons and The Memory of Trees', '1998–2007: A Day Without Rain and Amarantine', '2008–present: And Winter Came... and Dark Sky Island', 'Musical style', 'Overview', 'Restrictions of certain meats', 'Traditional ingredients', 'Dishes', 'Wat', 'Tibs', "Kinche (Qinch'e)", 'Oromo dishes', 'Gurage dishes', 'Further reading'], ['Expertise', 'Medical uses', 'Available forms', 'Adverse effects', 'Interactions', 'Standardized Yiddish', 'Development of the language before publication', 'Declaration of Boulogne to present (1905–present)', 'Evolution of the language', 'Dialects, reform projects and derived languages', 'Timeline of Esperanto', 'References', 'Bibliography', 'Further reading', 'International food imports and exports', 'Marketing and retailing', 'Prices', 'As investment', 'Famine and hunger', 'Food aid', 'Safety', 'Allergies', 'Other health issues', 'Diet', 'Physiology', 'Properties', 'Measurements', 'See also', 'References', 'Original form structure and tax rates', 'Subsequent changes', 'Changes to complexity and tax rates', 'Cost of filing', 'See also', 'References', 'Plot', 'Production', 'Development', 'Themes', 'Character design', 'Music and soundtrack', 'Release', 'Box office', 'Repertoire', 'Orchestra and concert band', 'Chamber music', 'Orchestral and concert band horns', 'In jazz', 'Notable horn players', 'Gallery', 'See also', 'References'], ['Assembly', 'Bombing of Nagasaki', 'Bomb assembly', 'Post-war development', 'Notes', 'References'], ['All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'Mail', 'Telephones', 'Radio and television', 'Internet', 'See also', 'Religion', 'Literature', 'Music', 'Sport', 'Transport', 'Crime', 'See also', 'References'], ['Intelligence', 'Tool use', 'Scientific study', 'Genome sequencing', 'Cultural references', 'Conservation status', 'See also', 'References'], ['Historical polytheism', 'Ancient Near East', 'Mesopotamia', 'Ancient Africa (Egypt)', 'Canaan', 'Anatolia', 'Pre-Islamic Arabia', 'Indo-European traditions', 'Indian', 'Iranian', 'Early life', 'Childhood: 1884–99', 'Ceylon and Borneo: 1900–11', 'Malaya and World War I: 1911–26', 'Marriage and archaeology: 1927–36', 'Return to Europe: 1936–38', 'Involvement in Wicca', 'The Rosicrucian Order: 1938–39', 'Rivalries', 'Hawthorn', 'Collingwood', 'Corporate', 'Sponsorship', 'Supporter base', 'Players and staff', 'Current playing list and coaches', 'Officials', 'Club records', 'World War I', 'Causes', 'Western Front', 'Eastern Front', '1918', 'Homefront', 'Revolution 1918', 'Weimar Republic, 1919–1933', 'The early years', 'Reparations', 'Technical overview', 'History', 'HTTP session', 'Persistent connections', 'HTTP session state', 'HTTP authentication', 'Authentication realms', 'Message format', 'Request message', 'Request methods', 'References'], ['Description', 'Radio', 'GPS', 'Records', 'Competition', 'Classes', 'Aerobatics', 'Comparison of gliders, hang gliders and paragliders', 'See also', 'References', 'Notes', 'See also', 'Notes', 'References', 'Further reading', 'Primary sources', 'Secondary sources'], ['Early 2000s', 'Game Boy Advance', 'Game Park 32', 'N-Gage', 'Cybiko', 'Tapwave Zodiac', 'Mid 2000s', 'Nintendo DS', 'Game King', 'PlayStation Portable', 'Assets', 'Magazines', 'Newspapers', 'Broadcasting', 'Internet', 'Other', "Trustees of William Randolph Hearst's will", 'Family members', 'Non-family members', 'See also', 'See also', 'Notes', 'References'], ['802.11ac', '802.11ad', '802.11af', '802.11-2016', '802.11ah', '802.11ai', '802.11aj', '802.11aq', '802.11ax', '802.11ay', 'Overview', 'Early influences', 'William Godwin', 'History', 'Mission and roles', 'IOC Executive Board', 'Relations with Ukrainians', 'Polish-Belarusian diplomatic incident around the rehabilitation of Romuald Rajs', 'Employee incidents', 'See also', 'Notes'], ['Transportation in the United States', 'Arts, entertainment, and media', 'Education', 'See also', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['Events', 'Births', 'Deaths', 'Holidays and observances', 'References', 'Computing', 'See also', 'Early life', 'See also', 'References', 'Further reading'], ['Finance', 'Oil', 'Reserve funds', 'Future Generations Fund', 'Science and technology', 'Entrepreneurship', 'Tourism', 'Agriculture', 'Transport', 'Macro-Economic']]



['Wikipedia: Eric Raymond (disambiguation)', 'Wikipedia: Esperanto grammar', 'Wikipedia: Fruit', 'Wikipedia: Fra Angelico', 'Wikipedia: False Claims Act', 'Wikipedia: Foreign relations of Germany', 'Wikipedia: Transportation in Guam', 'Wikipedia: Demographics of Guadeloupe', 'Wikipedia: GURPS Supers', 'Wikipedia: Hole (disambiguation)', 'Wikipedia: Herstory', 'Wikipedia: HMS Hercules', 'Wikipedia: John Ray', 'Wikipedia: July 17', 'Wikipedia: Telecommunications in Kuwait']
[['Use in jazz', 'Slap-style bass', 'Use in popular music', 'Modern playing styles', 'Double bassists', 'Historical', 'Modern', 'Contemporary (1900s)', 'Classical', 'Jazz', 'Name', 'City walls', 'History', 'Early history', 'Plantation', '17th-century upheavals', '18th and 19th centuries', 'Efficiency of markets', 'Equilibrium', 'Scale of problem', 'Steady-state economy', 'Use of technology', 'See also', 'References', 'Bibliography', 'Twinning', 'See also', 'References'], ['Live performances', 'Personal life', 'Awards and nominations', 'Discography', 'See also', 'References'], ['Kitfo', 'Ayibe', 'Gomen kitfo', 'Sidama dishes', 'Wassa', 'Gomen ba siga', 'Maize', 'Breakfast', 'Snacks', 'Gursha', 'Academic views', 'Historical views', 'Related research', 'Skilled memory theory', 'In problem solving', "Germain's scale", 'Rhetoric', 'Dialogic Expertise', 'Networked Expertise', 'Contrasts and comparisons', 'Pharmacology', 'Mechanism of action', 'Pharmacokinetics', 'Metabolism', 'Chemistry', 'Composition', 'Synthesis', 'Erythromycin related compounds', 'History', 'Society and culture', 'Grammatical summary', 'Script and pronunciation', 'The article', 'Parts of speech', 'Cultural and religious diets', 'Diet deficiencies', 'Moral, ethical, and health-conscious diets', 'Nutrition and dietary problems', 'Legal definition', 'Types of food', 'See also', 'References', 'Sources', 'Further reading', 'Botanic fruit and culinary fruit', 'Structure', 'Development', 'Life as a slave', 'Birth family', 'Early learning and experience', 'The Auld family', 'William Freeland', 'Edward Covey', 'From slavery to freedom', 'Critical reception', 'Reception of Aki Ross', 'Legacy and related media', 'Accolades', 'Home media', 'References'], ['Biography', 'Early life, 1395–1436', 'San Marco, Florence, 1436–1445', 'History', 'Provisions', '2010 changes under the Patient Protection and Affordable Care Act', 'Practical application of the law', 'Federal income taxation of awards under FCA in the United States', 'Relevant decisions by the United States Supreme Court', 'History', 'Primary institutions and actors', 'Federal Cabinet', 'References', 'See also', 'References', 'Population', 'Languages', 'Vital statistics', 'Structure of the population http://unstats.un.org/unsd/demographic/products/dyb/dyb2.htm', 'Contents', 'Setting', 'System', 'History', 'Greco-Roman', 'Celtic', 'Germanic', 'Pre-Columbian America', 'Aztec', 'Other', 'Folk religion and animism', 'African religions', 'Chinese folk religion', 'Shintoism', 'The New Forest coven: 1939–44', 'Bricket Wood and the Origins of Gardnerianism: 1945–50', 'Doreen Valiente and the Museum of Magic and Witchcraft: 1950–57', 'Later life and death', 'Personal life', 'Criticisms', 'Legacy', 'See also', 'References', 'Footnotes', 'Premierships and awards', 'Win-loss record', 'Match records', 'Reserves team', "AFL Women's team", 'AFLW season summaries', 'VFLW season summaries', 'See also', 'Footnotes'], ['Economic collapse and political problems, 1929–1933', 'Science and culture in 19th and 20th century', 'Nazi Germany, 1933–1945', 'Establishment of the Nazi regime', 'Antisemitism and the Holocaust', 'Military', 'Foreign policy', 'World War II', 'Germany during the Cold War, 1945–1990', 'Post-war chaos', 'Safe methods', 'Idempotent methods and web applications', 'Security', 'Response message', 'Status codes', 'Encrypted connections', 'Example session', 'Client request', 'Server response', 'Similar protocols', 'Geography', 'Flora and fauna', 'Conservation', 'Administration', 'Tourism', 'List of islands', 'Hawar archipelago', 'Janan Island', 'References'], ['Bibliography', 'Places', 'People with the name', 'Usage', 'Criticism', 'Books', 'See also', 'References', 'Gizmondo', 'GP2X Series', 'Late 2000s', 'Dingoo', 'PSP Go', 'Pandora', 'FC-16 Go', '2010s', 'Nintendo 3DS', 'Xperia Play', 'References', 'Further reading'], ['Surname==', 'Biography', 'Early life', 'Education and career', 'Personal life', 'Illness and death', 'Writings', 'Overview', 'Science fiction', '802.11ba', '802.11be', 'Common misunderstandings about achievable throughput', 'Channels and frequencies==', 'Channel spacing within the 2.4\xa0GHz band', 'Regulatory domains and legal compliance', 'Layer 2 – Datagrams', 'Management frames', 'Control frames', 'Data frames', 'Pierre-Joseph Proudhon', 'Mutualism', 'Max Stirner', 'Egoism', 'Early individualist anarchism in the United States', 'Josiah Warren', 'Henry David Thoreau', 'Developments and expansion', 'Anarcha-feminism, free love, freethought and LGBT issues', 'Anarcho-naturism', 'IOC Commissions', 'Organization', 'IOC Session', 'Honours', 'IOC members', 'Oath of the International Olympic Committee', 'Cessation of membership', 'Sports federations recognised by IOC', 'Olympic marketing', 'Revenue', 'Information', 'Media', 'Music', 'Periodicals', 'Television', 'Other uses', 'See also', 'Life', 'Early life', 'Later life and family', 'Work', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], [], ['Events', 'Births', 'World War II', 'Discovery of the effect of lithium on mania', 'Royal Park and RANZCP', 'Legacy', 'Troubled Minds', 'See also', 'Notes', 'References', 'Early life', 'Crimes and punishment', 'Playwright', 'Breakthrough', 'Loot', 'Later works', 'Murder', 'Biography and film, radio, TV', 'Legacy', 'See also', 'References'], []]



['Wikipedia: Erasmus Darwin', 'Wikipedia: Longest word in English', 'Wikipedia: East Berlin', 'Wikipedia: Environmental law', 'Wikipedia: Floating Point', 'Wikipedia: Filter', 'Wikipedia: Fantastic Four', 'Wikipedia: History of Guatemala', 'Wikipedia: Telecommunications in Guadeloupe', 'Wikipedia: Gallifrey', 'Wikipedia: Gavin MacLeod', 'Wikipedia: Galileo (satellite navigation)', 'Wikipedia: Heinrich Hertz', 'Wikipedia: Hans-Dietrich Genscher', 'Wikipedia: House of Cards (British TV series)', 'Wikipedia: Identical particles', 'Wikipedia: June 19', 'Wikipedia: July 18', 'Wikipedia: Johann von Werth', 'Wikipedia: Julian Jaynes']
[['Other popular genres', 'Pedagogy and training', 'Formal training', 'Informal training', 'Careers', 'Classical music', 'See also', 'References'], ['Early 20th century', 'World War I', 'Partition', 'World War II', 'Late 20th century', '1950s and 1960s', 'The Civil Rights Movement', 'The Troubles', 'Governance', 'Coat of arms and motto', 'Early life and education', 'Personal life', 'Death', 'Writings', 'Botanical works and the Lichfield Botanical Society', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages with short descriptions', 'Human name disambiguation pages', 'Short description is different from Wikidata', 'Overview', 'East Berlin today', 'Boroughs of East Berlin', 'Images of East Berlin', 'See also', 'References', 'Beverages', 'Traditional alcoholic beverages', 'Tella', 'Tej (honey wine)', 'Areki (katikala)', 'Non-alcoholic beverages', 'Kenetto (keribo)', 'Borde', 'Manufactured drinks', 'Non-alcoholic brews (hot drinks)', 'Associated terms', 'Developmental characteristics', 'Use in literature', 'See also', 'General', 'Criticism', 'Psychology', 'References', 'Bibliography', 'Further reading', 'Cost', 'Brand names', 'See also', 'References'], ['Nouns and adjectives', 'Pronouns', 'Personal pronouns', 'Other pronouns', 'Prepositions', 'Verbs', 'The verbal paradigm', 'Tense', 'Mood', 'Copula'], ['Track listing', 'Personnel', 'Simple fruit', 'Aggregate fruit', 'Multiple fruits', 'Berries', 'Accessory fruit', 'Table of fruit examples', 'Seedless fruits', 'Seed dissemination', 'Food uses', 'Storage', 'Abolitionist and preacher', 'Autobiography', 'Travels to Ireland and Great Britain', 'Return to the United States', "Women's rights", 'Ideological refinement', 'Photography', 'Religious views', 'Civil War years', 'Before the Civil War', 'Science and technology', 'Device', 'Optics', 'Signal processing', 'Computing', 'Mathematics', 'The Vatican, 1445–1455', 'Death and beatification', 'Evaluation', 'Background', 'Patronage', 'Contemporaries', 'Altarpieces', 'Frescoes', 'Lives of the Saints', 'Artistic legacy', 'State False Claims Acts and application in other jurisdictions', 'Rule 9(b) circuit split', 'ACLU et al. v. Holder', 'Examples', 'References'], ['Bundestag', 'NGOs', 'Disputes', 'Global initiatives', 'Humanitarian aid', 'Ecological involvement', 'International organizations', 'European Union', 'NATO', 'UN', 'Pre-Columbian era', 'Spanish conquest', '19th century', 'References', 'See also', 'Earlier editions and supplements', '4th Edition', 'Reception', 'References'], ['Hinduism', 'Abrahamic religions', 'Judaism', 'Christianity', 'Feminism', 'Goddess movement', 'Sacred feminine', 'Metaphorical use', 'Neopaganism', 'Wicca', 'Bibliography'], ['Early life', 'History', 'Main objectives', 'Funding', 'East Germany', 'West Germany (Bonn Republic)', 'Economic miracle', 'Refugee settlements', '1948 currency reform', 'Adenauer', 'Erhard', 'Grand coalition', 'Guest workers', 'Brandt and Ostpolitik', 'References'], ['Biography', 'Maps', 'Media', 'Biography', 'Arts, entertainment, and media', 'Films', 'Games', 'Literature', 'Music', 'Groups', 'Albums and EPs', 'Songs', 'Television', 'Construction', 'Overview', 'Plot', 'Deviations from the novel in the series', 'Reception', 'PlayStation Vita', 'Razer Switchblade', 'Nvidia Shield', 'Nintendo Switch', 'Timeline of handheld consoles', 'Notable handheld consoles from before the 90s', 'Notable handheld consoles of the early 90s', 'Notable handheld consoles of the late 90s', 'Notable handheld consoles of the early 2000s', 'Notable handheld consoles of the mid-2000s', 'All set index articles', 'Articles with short description', 'Royal Navy ship names', 'Set indices on ships', 'Short description is different from Wikidata', 'Use British English from December 2016', 'Use dmy dates from December 2016', 'Popular science', 'Coined terms', 'Other writings', 'Awards and recognition', 'Writing style', 'Characteristics', 'Limitations', 'Sexuality', 'Alien life', 'Portrayal of women', 'Standards and amendments', 'In process', 'Standard vs. amendment', 'Nomenclature', 'Security', 'Non-standard 802.11 extensions and equipment', 'See also', 'Footnotes', 'References'], ['Individualist anarchism and Friedrich Nietzsche', 'Individualist anarchism in the United States', 'Mutualism and utopianism', 'Boston anarchists', 'Individualist anarchism and the labor movement', 'Egoist anarchism', 'Post-left anarchy and insurrectionary anarchism', 'Individualist anarchism in Europe', 'France', 'Illegalism', 'Organizing Committees for the Olympic Games', 'National Olympic Committees', 'International Olympic Sports Federations', 'Other organisations', 'The Olympic Partner programme', 'Environmental concerns', 'IOC approaches', 'Venue construction effects on air', 'Methods to measure particulates in the air', 'Measures taken to improve air quality', 'Distinguishing between particles', 'Quantum mechanical description', 'Symmetrical and antisymmetrical states', 'Taxonomy', 'System of classification', 'Definition of species', 'Publications', 'List of selected publications', "Libraries holding Ray's works", 'Legacy', 'See also', 'Notes', 'References', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'References', 'Deaths', 'Holidays and observances', 'References'], ['Biography', 'Legend of Jan and Griet', 'Notes', 'References'], ['Plays', 'Novels', 'References', 'Sources'], ['Infrastructure', 'Telephones', 'Broadcast media', 'Internet', 'See also', 'References'], []]



['Wikipedia: Deicide (band)', 'Wikipedia: List of international environmental agreements', 'Wikipedia: Epistle of James', 'Wikipedia: Economy of Afghanistan', 'Wikipedia: Fantasy sport', 'Wikipedia: Free Methodist Church', 'Wikipedia: Transport in Guadeloupe', 'Wikipedia: List of German-language poets', 'Wikipedia: History of France', 'Wikipedia: Helen Gandy', 'Wikipedia: Heinrich Abeken', 'Wikipedia: HMAS Sydney', 'Wikipedia: Irn-Bru', 'Wikipedia: James Joyce', 'Wikipedia: June 20', 'Wikipedia: Jürgen Habermas', 'Wikipedia: Transport in Kuwait']
[['History', 'Early days as Amon/Carnage (1987–1989)', 'As Deicide (1989–2004)', 'Post-Hoffman brothers period (2004–present)', 'Geography', 'Climate', 'Demography', 'Protestant minority', 'Economy', 'Inward investment', 'Shopping', 'Landmarks', 'Transport', 'Buses', 'Zoonomia', 'Poem on evolution', 'Education of women', 'Lunar Society', 'Other activities', 'Cosmological speculation', 'Inventions', 'Rocket engine', 'Major publications', 'Family tree', 'Major dictionaries', 'Creations of long words', 'Coinages', 'Agglutinative constructions', 'Technical terms', 'Notable long words'], ['Alphabetical order', 'Topic order', 'Atmet', 'Coffee', 'Tea (chai)', 'See also', 'References'], ['Economic history', 'Agriculture and livestock', 'Fishing', 'History', 'Pollution control', 'Air quality', 'Water quality', 'Waste management', 'Contaminant cleanup', 'Chemical safety', 'Resource sustainability', 'Participles', 'Adjectival participles', 'Compound tense', 'Nominal participles', 'Adverbial participles', 'Conditional and tenseless participles (unofficial)', 'Negation', 'Questions', 'Conjunctions', 'Interjections', 'Reception', 'References', 'History', 'Nutritional value', 'Food safety', 'Allergies', 'Nonfood uses', 'Fruit flies', 'See also', 'References', 'Further reading'], ['Fight for emancipation and suffrage', "After Lincoln's death", 'Reconstruction era', 'Family life', 'Final years in Washington, D.C.', 'Death', 'Legacy and honors', 'In pop culture', 'Film and television', 'Music', 'Arts and entertainment', 'Other uses', 'See also', 'Works', 'Early works, 1408–1436', 'Late works, 1445–1455', 'Discovery of lost works', 'See also', 'Footnotes', 'References', 'Further reading'], ['Publication history', 'Origins', '1961–1970s', '1980s and 1990s', '2000s', '2010s', 'Spinoffs', 'Africa', 'Americas', 'Asia', 'Europe', 'Balkan states', 'Central Europe', 'Oceania', 'See also', 'References', 'Further reading', 'Independence and Central America civil war', 'Invasion of General Morazán in 1829', 'Liberal rule', 'Rise of Rafael Carrera', 'Invasion and Absorption of Los Altos', 'Caste War of Yucatán', 'Battle of La Arada', 'Concordat of 1854', 'Wyke-Aycinena treaty: Limits convention about Belize', 'Justo Rufino Barrios government', 'Railways', 'Highways', 'Water transport', 'Seaports and harbours', 'Geography and appearances', 'Spin-off material', 'Relative time', 'Race of Gallifrey', 'History', 'On screen', 'Novels', 'Notes', 'See also', 'Notes', 'References', 'Further reading', 'Career', 'Recent activity', 'Writing', 'Personal life', 'Filmography', 'Film', 'Television', 'References'], ['Tension with the United States', 'GPS and Galileo', 'Cooperation with the United States', 'First experimental satellites: GIOVE-A and GIOVE-B', 'Funding again, governance issues', 'Clock failures', '2019 outage', 'International involvement', 'System description', 'Space segment', 'Economic crisis of 1970s', 'Kohl', 'Reunification', 'Federal Republic of Germany, 1990–present', 'Schröder', 'Merkel', 'Historiography', 'Sonderweg debate', 'See also', 'Notes', 'Death', 'Scientific work', 'Electromagnetic waves', 'Cathode rays', 'Photoelectric effect', 'Contact mechanics', 'Meteorology', 'Nazi persecution', 'Legacy and honors', 'See also', 'Early life', 'Political career', 'Federal Minister of the Interior', 'Vice Chancellor and Federal Foreign Minister', 'Reunification efforts', 'Post-reunification', 'Activities after politics', 'Death', 'Other activities (selection)', 'Recognition (selection)', 'Prison', 'Science and healthcare', 'Sports', 'Technology', 'Other uses', 'See also', 'American adaptation', 'In popular culture', 'See also', 'References'], ['Notable handheld consoles of the late 2000s', 'Notable handheld consoles of the early 2010s', 'Notable handheld consoles of the late 2010s', 'See also', 'References', 'Battle honours', 'References'], ['Views', 'Religion', 'Politics', 'Social issues', 'Environment and population', 'Other authors', 'Influence', 'Behavior towards women', 'Television, music, and film appearances', 'Selected bibliography', 'Overview', 'Early history', 'Recent developments', 'Germany', 'Italy', 'Russia', 'Spain', 'United Kingdom', 'Individualist anarchism in Latin America', 'Criticism', 'References', 'Bibliography', 'Further reading', 'Venue construction effects on soil', 'Venue construction effects on water', 'Controversies', 'Amateurism and professionalism', '1976 Winter Olympics (Denver, Colorado)', '2002 bid', 'Other controversies: 2006–2013', 'Russian doping scandal', '2018 Taiwan Election Interference Controversy', 'Bid Controversies: Rio 2016 and Tokyo 2020', 'Exchange symmetry', 'Fermions and bosons', 'N particles', 'Measurement', 'Wavefunction representation', 'The operator approach and parastatistics', 'Statistical properties', 'Statistical effects of indistinguishability', 'Statistical properties of bosons and fermions', 'The homotopy class', 'Bibliography', 'Books', 'Articles', 'Websites'], ['John Ray Initiative'], ['Events', 'Births', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['Biography', 'Teacher and mentor', 'Philosophy and sociology', 'Life', "Jaynes's theories", 'Reception and influence', 'Controversy and criticism', 'Bibliography', 'See also', 'Notes'], ['Railways', 'Overview', 'Metro', 'Road transport', 'Ports and harbors', 'Merchant marine']]



['Wikipedia: Division of labour', 'Wikipedia: Erotica', 'Wikipedia: Externalization', 'Wikipedia: Epistle of Jude', 'Wikipedia: Forward pass', 'Wikipedia: Filtration', 'Wikipedia: Gunpowder', 'Wikipedia: Gavrilo Princip', 'Wikipedia: Hades', 'Wikipedia: Hindus', 'Wikipedia: Harpers Ferry (disambiguation)', 'Wikipedia: Izabella Scorupco', 'Wikipedia: Internet Standard', 'Wikipedia: Judo', 'Wikipedia: June 5', 'Wikipedia: Just intonation']
[['Disambiguation pages with short descriptions', 'Human name disambiguation pages', 'Short description is different from Wikidata', 'Night-life', 'Events', 'References in popular music', 'Notable people', 'See also', 'References'], ['Biota', 'Astronomical factors', 'Documentaries', 'See also', 'References'], ['Books', 'Writings posted or archived on his website', 'See also', 'References', 'Further reading'], ['History', 'Origin', 'Sound value', 'Epichoric alphabets', 'Glyph variants', 'Uses', 'International Phonetic Alphabet', 'Symbol', 'Unicode', 'Initial', 'Composition', 'Textual witnesses', 'Content', 'Outline', 'Etymology', 'In proper names', 'In medieval texts and post-medieval folk belief', 'Medieval English-language sources', 'As causes of illnesses', '"Elf-shot"', 'Size, appearance, and sexuality', 'Decline in the use of the word elf', 'Old Norse texts', 'Mythological texts', 'Middle East', 'Oceania', 'Australia', 'Brazil', 'Canada', 'China', 'Ecuador', 'Egypt', 'India', 'Japan', 'Native speakers', 'Gufujo', 'Religion', 'Literature', 'Pasporta Servo', 'Writing', 'Conventions', 'Popular culture', 'CDM vs. MLBAM', 'Popular fantasy sports', 'See also', 'References'], ['February symbols', 'Observances', 'Month-long observances', 'Non-Gregorian observances, 2020', 'Movable observances, 2020 dates', 'Fixed observances', 'References', 'Further reading'], ['Equations', 'Conservation laws', 'Compressible vs incompressible flow', 'Newtonian vs non-Newtonian fluids', 'Inviscid vs viscous vs Stokes flow', 'Laminar vs turbulent flow', 'Subsonic vs transonic, supersonic and hypersonic flows', 'Reactive vs non-reactive flows', 'Magnetohydrodynamics', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Mathematics disambiguation pages', 'Short description is different from Wikidata', 'Life and work', 'Main works', 'Gallery', 'See also', 'Notes', 'References'], ['Process description', 'Methods', 'Filter media', 'Achieving flow through the filter', 'Head of government', 'Cabinet', 'Agencies', 'Legislature', 'Bundestag', 'Judiciary', 'Foreign relations', 'Administrative divisions', 'See also', 'References', 'Transition between Laugerud and Lucas Garcia regimes', 'Escalation of violence', 'Lucas Garcia presidency', 'Spanish Embassy fire', 'Increased insurgency and state repression: 1980–1982', 'Insurgent mobilization', 'La Llorona massacre, El Estor', 'List of other massacres perpetrated by the Army in Franja Transversal del Norte', 'List of massacres perpetrated by the EGP in FTN', 'Civil war in the city', 'Pre-Glagolitic Slavic writing systems', 'Characteristics', 'Unicode', 'In popular culture', 'See also', 'References', 'Literature'], ['Pommel horse', 'Still rings', 'Parallel bars', 'Horizontal bar', 'Rhythmic gymnastics', 'Rhythmic gymnastics apparatus', 'Trampolining', 'Individual trampoline', 'Synchronized trampoline', 'Double-mini trampoline', 'U', 'V', 'W', 'Z', 'See also'], ['Gopher clients for mobile devices', 'Other Gopher clients', 'Gopher to HTTP gateways', 'Server software', 'See also', 'References'], ['Bibliography', 'Further reading'], ['Name', 'Mythology', 'Early years', 'God of underworld', 'Persephone', 'Theseus and Pirithous', 'Ancient Hebrew pronunciation', 'Regional and historical variation', 'Matres lectionis', 'Vowel points', 'Meteg', "Sh'va", 'Comparison table', 'Gershayim', 'Stylistic variants', 'Yiddish symbols', 'Etymology', 'Terminology', 'Medieval-era usage (8th to 18th century)', 'Colonial-era usage (18th to 20th century)', 'French identity', 'Estates and power', 'Language', 'Consolidation (15th and 16th centuries)', '"Beautiful 16th century"', 'Protestant Huguenots and wars of religion (1562–1629)', "Thirty Years' War (1618–1648)", 'Colonies (16th and 17th centuries)', 'Louis XIV (1643–1715)', 'Major changes in France, Europe, and North America (1718–1783)', 'Definitions', 'Mechanical horsepower', 'Metric horsepower (PS, cv, hk, pk, ks, ch)', 'Tax horsepower', 'Electrical horsepower', 'Hydraulic horsepower', 'Boiler horsepower', 'Drawbar horsepower', 'RAC horsepower (taxable horsepower)', 'Measurement', 'Memorial', 'References', 'Bibliography'], ['Writing style', 'Persona', 'Political beliefs', 'Scholarships', 'Works', 'Books', 'Articles', 'Letters', 'Illustrations', 'Photography', 'References', 'Footnotes', 'Notes', 'Sources', 'Further reading'], ['References', 'Further reading'], ['Autobiographical works', 'Libretti', 'Translations', 'Selected filmography', 'Film and television adaptations', 'Films on Calvino', 'Legacy', 'Awards', 'Notes', 'Sources', 'Packaging', 'Intellectual property', 'Other developments', 'Generations', 'Medium-scale integration (MSI)', 'Large-scale integration (LSI)', 'Very-large-scale integration (VLSI)', 'ULSI, WSI, SoC and 3D-IC', 'Silicon labelling and graffiti', 'ICs and IC families', 'Diet', 'Medications', 'Pelvic floor treatments', 'Surgery', 'Alternative medicine', 'Prognosis', 'Epidemiology', 'History', 'Names', 'See also', 'Play', 'Posthumous publications and drafts', 'Notes and references', 'Additional references', 'Further reading'], ['Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['Works', 'The Mitford Years', 'Mitford companion books', "Children's books{{Cite web|title =", 'Other books ===', 'References'], ['Early life and education', 'Career and research', 'Luria, Delbrück, and the Phage Group', 'Identifying the double helix', 'Interactions with Rosalind Franklin and Raymond Gosling, and use of their DNA data', 'Harvard University', 'Publishing The Double Helix', 'Cold Spring Harbor Laboratory', 'Terminology', 'History', 'Diatonic scale', 'Six-Day War (1967) and War of Attrition (1967–1970)', 'Double-fronted wars: 1973 Samita border skirmish and October War', 'State of Kuwait Embassy protection and general support to Halt the Lebanese Civil War (1975–1990)', 'Creation of the Kuwait Naval Force (1978)', 'Iran–Iraq War (1980–1988)', 'First joint Kuwait-Saudi Arabian air drills (1983)', 'Official enacting of the Land Force of the Kuwait Armed Forces (1988)', 'Iraqi invasion and aftermath (1990)', 'Gulf War and Operation Desert Storm (1990–1991)', 'Aftermath']]



['Wikipedia: European influence in Afghanistan', 'Wikipedia: Euro', 'Wikipedia: Eta', 'Wikipedia: Emotion', 'Wikipedia: February 1', 'Wikipedia: John Falstaff', 'Wikipedia: Ford Madox Brown', 'Wikipedia: Follies', 'Wikipedia: History of geometry', 'Wikipedia: Greatest common divisor', 'Wikipedia: General election', 'Wikipedia: Halophile', 'Wikipedia: Historicism', 'Wikipedia: Intercontinental ballistic missile', 'Wikipedia: IBM 3270', 'Wikipedia: ICI', 'Wikipedia: Jack Lemmon', 'Wikipedia: Joseph Haydn']
[['Ancient theories', 'Plato', 'Xenophon', 'Ibn Khaldun', 'Modern theories', 'William Petty', 'Bernard de Mandeville', 'David Hume', 'Henri-Louis Duhamel du Monceau', 'Adam Smith', 'Rise of Dost Mohammad Khan', 'The Great Game', 'First Anglo-Afghan War, 1838–1842', 'Mid-nineteenth century', 'Second Anglo-Afghan War, 1878–1880', 'The Iron Amir, 1880–1901', 'Erotica and pornography', 'See also', 'References', 'Further reading', 'See also', 'Notes', 'References', 'References', 'Further reading', 'History', 'Canonical status', 'Authorship', 'Style', 'Jude and 2 Peter', 'References to other books', 'See also', 'Notes', 'Sources', 'Further reading'], ['Other sources', 'Medieval and early modern German texts', 'Post-medieval folklore', 'Britain', 'Scandinavia', 'Terminology', 'Appearance and behaviour', 'In ballads', 'As causes of illness', 'Modern continuations', 'New Zealand', 'Russia', 'South Africa', 'United Kingdom', 'United States', 'Vietnam', 'See also', 'Notes', 'References', 'Further reading', 'Food', 'Zamenhof Day', 'See also', 'References'], ['Gridiron football', 'Early illegal and experimental passes', 'First legal pass', 'New style of play', 'Rockne', 'Increase in popularity', 'First pass in a professional game', 'Change in ball shape', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'Relativistic fluid dynamics', 'Other approximations', 'Terminology', 'Terminology in incompressible fluid dynamics', 'Terminology in compressible fluid dynamics', 'See also', 'Fields of study', 'Mathematical equations and concepts', 'Types of fluid flow', 'Fluid properties', 'Role in the plays', 'Henry IV, Part 1', 'Henry IV, Part 2', 'Henry V', 'The Merry Wives of Windsor', 'Early life', 'Works', 'Family', 'Death', 'Heritage', 'Filter aid', 'Alternatives', 'Examples', 'See also', 'References'], [], ['Early geometry', 'Egyptian geometry', "'Operation Ceniza'", '1986 to 1996: from constitution to peace accords', '1996 Peace Accords to present', 'President Otto Pérez Molina government and "La Línea" case', 'See also', 'Notes and references', 'Notes', 'References', 'Bibliography', 'Further reading', 'Overview', 'Notation', 'Example', 'Coprime numbers', 'A geometric view', 'Tumbling', 'Acrobatic gymnastics', 'Aerobic gymnastics', 'Parkour', 'Other disciplines', 'Aesthetic group gymnastics', "Men's rhythmic gymnastics", 'TeamGym', 'Wheel gymnastics', 'Mallakhamba', 'History of gunpowder', 'China', 'Middle East', 'Mainland Europe', 'Great Britain and Ireland', 'India', 'Indonesia', 'United Kingdom', 'United States', 'Footnotes'], ['Early life', 'Assassination of Archduke Franz Ferdinand', 'Arrest and trial', 'Imprisonment and death', 'Legacy', 'Memorials and commemoration', 'See also', 'References', 'Bibliography', 'Further reading', 'Heracles', 'Minthe', 'Cult and epithets', 'Artistic representations', 'Realm of Hades', 'Genealogy', 'In popular culture', 'See also', 'References', 'Bibliography', 'Numeric values of letters', 'Transliterations and transcriptions', 'Religious use', 'Mathematical use', 'Unicode and HTML', 'See also', 'Notes', 'References', 'Bibliography'], ['Contemporary usage', 'Disputes', 'History of Hindu identity', 'Hindu identity amidst other Indian religions', 'Sacred geography', 'Hindu persecution', 'Hindu nationalism', 'Demographics', 'See also', 'Notes', 'French Enlightenment', 'Revolutionary France (1789–1799)', 'Background of the French Revolution', 'National Assembly, Paris anarchy and storming the Bastille (January–14 July 1789)', 'Violence against aristocracy and abolition of feudalism (15 July–August 1789)', 'Curtailment of Church powers (October 1789–December 1790)', 'Making a constitutional monarchy (June–September 1791)', 'War and internal uprisings (October 1791–August 1792)', 'Bloodbath in Paris and the Republic established (September 1792)', 'War and civil war (November 1792–spring 1793)', 'Nominal (or rated) horsepower', 'Indicated horsepower', 'Brake horsepower', 'Shaft horsepower', 'Engine power test standards', 'Society of Automotive Engineers/SAE International', 'Early "SAE horsepower" (see RAC horsepower)', 'SAE gross power', 'SAE net power', 'SAE certified power', 'See also', 'Classification', 'Feature films', 'Documentaries', 'Theater', 'Awards, accolades, and tributes', 'References'], ['Life', 'Career', 'Filmography', 'Discography', 'Studio albums', 'Singles', 'References', 'Overview', 'Standardization process', 'Proposed Standard', 'Draft Standard', 'Internet Standard', 'See also', 'References'], ['Primary sources', 'Secondary sources', 'Online sources', 'Further reading'], ['See also', 'References', 'Further reading'], ['References'], ['Companies and organisations', 'History and philosophy', 'Early life of the founder', 'Founding of the Kodokan', 'Judo versus jujutsu', 'Judo waza (techniques)', 'Nage-waza (throwing techniques)', 'Katame-waza (grappling techniques)', 'Early life', 'Career', '1949–1965: Early years', 'Biography', 'Early life', 'Struggles as a freelancer', 'The years as Kapellmeister', 'The London journeys', 'Years of celebrity in Vienna', 'Human Genome Project', 'Later life', 'Notable former students', 'Other affiliations', 'Avoid Boring People', 'Comments on race', 'Personal life', 'Marriage and family', 'Awards and honors', 'Honorary degrees received', 'Twelve-tone scale', 'Pythagorean tuning', 'Five-limit tuning', 'Extension of the twelve-tone scale', 'Indian scales', 'Practical difficulties', 'Singing and scale-free instruments', 'Western composers', 'Staff notation', 'Audio examples', 'October 1994 crisis with Iraq', 'Operation Desert Strike (1996)', 'Operation Desert Fox (1998)', '50th Anniversary of the Kuwait Army (1999)', 'Global War on Terror (2001–present)', '2015 intervention in Yemen', '50th Anniversary of the Kuwait National Guard (2017)', 'Ranks of the Military of Kuwait', 'Order of battle', 'Kuwait Naval Force']]



['Wikipedia: Existence', 'Wikipedia: Eusebius Amort', 'Wikipedia: Eurostar', 'Wikipedia: Telecommunications in Fiji', 'Wikipedia: First Lady of the United States', 'Wikipedia: Francis Crick', 'Wikipedia: Demographics of Guatemala', 'Wikipedia: Genotype', 'Wikipedia: Greenwich Village', 'Wikipedia: GNU Hurd', 'Wikipedia: Horace Walpole', 'Wikipedia: Hernando de Alarcón', 'Wikipedia: Indonesia', 'Wikipedia: ISOC', 'Wikipedia: Imperial Chemical Industries', 'Wikipedia: Jerk (physics)', 'Wikipedia: Josephus']
[['Immanuel Kant', 'Karl Marx', 'Henry David Thoreau and Ralph Waldo Emerson', 'Émile Durkheim', 'Ludwig von Mises', 'Friedrich A. Hayek', 'Globalisation and global division of labour', 'Contemporary theories', 'Styles of division of labour', 'Labour hierarchy', 'Habibullah Khan, 1901–1919', 'Amanullah Khan, 1919–1929', 'Mohammed Zahir Shah, 1933–1973', 'See also', 'References', 'Further reading'], ['Etymology', 'Context in philosophy', 'Historical conceptions', 'Dharmic "middle way" view', 'Early modern philosophy', 'Predicative nature', 'Administration', 'Issuing modalities for banknotes', 'Characteristics', 'Coins and banknotes', 'Payments clearing, electronic funds transfer', 'Currency sign', 'History', 'Consonant h', 'Long e', 'Itacism', 'Cyrillic script', 'Uses', 'Letter', 'Symbol', 'Upper case', 'Lower case', 'Character encodings', 'Life', 'Works', 'References', 'Post-medieval elite culture', 'Early modern elite culture', 'The Romantic movement', 'In popular culture', 'Christmas elf', 'Fantasy fiction', 'Equivalents in non-Germanic traditions', 'Europe', 'Asia and Oceania', 'Footnotes'], ['History', 'Conception and planning', 'History', 'Etymology', 'Definitions', 'Components', 'Differentiation', 'Purpose and value', 'Classification', 'Basic emotions', 'Rugby football', 'Other football codes', 'See also', 'References', 'Additional sources', 'References'], ['Origins of the title', 'Fluid phenomena', 'Applications', 'Fluid dynamics journals', 'Miscellaneous', 'References', 'Further reading'], ['Origins', 'John Oldcastle', 'Cobhams', 'Sir John Fastolf', 'Robert Greene', 'Cultural adaptations', 'Drama', 'Music', 'Film and television', 'Print', 'Gallery', 'See also', 'References', 'Sources'], ['Background', 'Plot', 'Songs', 'Analysis', 'Versions', 'Productions', '1971 Original Broadway', 'Babylonian geometry', 'Vedic India', 'Greek geometry', 'Classical Greek geometry', 'Thales and Pythagoras', 'Plato', 'Hellenistic geometry', 'Euclid', 'Archimedes', 'After Archimedes', 'Conquest and Colonial era', 'Post-independence'], ['Applications', 'Reducing fractions', 'Least common multiple', 'Using prime factorizations', "Euclid's algorithm", "Lehmer's GCD algorithm", 'Binary GCD algorithm', 'Other methods', 'Complexity', 'Properties', 'Non-competitive gymnastics', 'Levels', 'Scoring (code of points)', 'Landing', 'Former apparatus and events', 'Rope climbing', 'Flying rings', 'Club swinging', "Other (men's artistic)", "Other (women's artistic)", 'Historiography', 'Manufacturing technology', 'Composition and characteristics', 'Serpentine', 'Corning', 'Modern types', 'Other types of gunpowder', 'Sulfur-free gunpowder', 'Combustion characteristics', 'Chemical reaction', 'Phenotype', 'Mendelian inheritance', 'Determination', 'See also', 'References'], ['Geography', 'Boundaries'], ['Name and logo', 'Development history', 'Keyboards', 'Early life: 1717–1739', 'Grand Tour: 1739–1741', 'References', 'Bibliography', 'Further reading', 'Showdown in the Convention (May–June 1793)', 'Counter-revolution subdued (July 1793–April 1794)', 'Death-sentencing politicians (February–July 1794)', 'Disregarding the working classes (August 1794–October 1795)', 'Fighting Catholicism and royalism (October 1795–November 1799)', 'Napoleonic France (1799–1815)', 'Coalitions formed against Napoleon', "Napoleon's impact on France", 'Napoleonic Code', 'Long 19th century, 1815–1914', 'Deutsches Institut für Normung 70020 (DIN 70020)', 'CUNA', 'Economic Commission for Europe R24', 'Economic Commission for Europe R85', '80/1269/EEC', 'International Organization for Standardization', 'Japanese Industrial Standard D 1001', 'See also', 'References'], ['Lifestyle', 'Genomic and proteomic signature', 'Examples', 'See also', 'References', 'Further reading'], ['Variants', 'Hegelian', 'Anthropological', 'New', 'Modern', 'Christian', 'Eschatological'], ['Etymology', 'History', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'History', 'World War II', 'Cold War', 'Post-Cold War', 'Flight phases', 'Modern ICBMs', 'Specific ICBMs', 'Land-based ICBMs', 'Principles', 'Applications', 'Third parties', 'Models', 'Displays', 'CUT vs. DFT', '3277', '3278', '3279', 'Media', 'Science and technology', 'Other uses', 'Atemi-waza (striking techniques)', 'Pedagogy', 'Randori (free practice)', 'Kata (forms)', 'Tandoku-renshu', 'Competitive judo', 'History', 'Current international contest rules', 'Weight divisions', 'Competition scoring', '1966–1978: Mid-career', '1979–2001: Later career', 'Lifetime awards', 'Personal life', 'Death', 'Filmography', 'Awards and Nominations', 'References', 'Sources'], ['Retirement, illness, and death', 'Character and appearance', 'Works', 'Structure and character of his music', "Evolution of Haydn's style", "Identifying Haydn's works", 'See also', 'Contemporaries', 'Other topics', 'Notes', 'Professional and honorary affiliations', 'See also', 'References', 'Further reading', 'Selected books published'], ['See also', 'Notes', 'Sources'], ['Kuwait Air Force', 'Kuwait Land Force', 'Kuwait Emiri Guard', 'Kuwait 25th Commando Brigade', 'Kuwait Commando Marine Units', 'Kuwait Military Police', 'Kuwait National Guard', 'Kuwait Ministry of Interior', 'Kuwait Land Border Force', 'Kuwait Coast Guard']]



['Wikipedia: Dementia praecox', 'Wikipedia: Eskimo', 'Wikipedia: Episcopus vagans', 'Wikipedia: Evil', 'Wikipedia: Fin', 'Wikipedia: Floorball', 'Wikipedia: Gerard Hengeveld', 'Wikipedia: Hakka cuisine', 'Wikipedia: History of London', 'Wikipedia: Herbert A. Simon', 'Wikipedia: ITU-T', 'Wikipedia: Irish traditional music session', 'Wikipedia: Joseph Conrad']
[['Limitations', 'Gendered division of labour', 'Industrial organisational psychology', 'Division of work', 'Disaggregated work', 'See also', 'References', 'Further reading'], ['History', 'First use of the term', 'Time component', 'Quantitative component', "Kraepelin's influence on the next century", 'Change in prognosis', 'Semantics', 'Modern approaches', 'Existence in the wide and narrow senses', 'European views', 'Anti-realist arguments', 'See also', 'References', 'Further reading'], ['Introduction', 'Eurozone crisis', 'Direct and indirect usage', 'Direct usage', 'Use as reserve currency', 'Currencies pegged to the euro', 'Economics', 'Optimal currency area', 'Transaction costs and risks', 'Price parity', 'References', 'Description', 'History', 'Theological issues', 'Eastern Orthodox', 'Anglican', 'Citations', 'References', 'Additional reading'], ['Launch of service', 'Records achieved', 'Regional Eurostar and Nightstar', 'Ashford International station', 'Changes to corporate structure', 'Rules for cycles on trains', 'Wi-Fi and onboard entertainment', 'Mainline routes', 'LGV Nord', 'Channel Tunnel', 'Multi-dimensional analysis', 'Pre-modern history', 'Western Theological', 'Evolutionary theories', '19th century', 'Contemporary', 'Somatic theories', 'James–Lange theory', 'Cannon–Bard theory', 'Radio and television', 'Media control', 'Telephones', 'Internet', 'Internet censorship and surveillance', 'References'], ['Non-spouses in the role', 'Role', 'Office of the First Lady', 'Exhibitions and collections', 'First lady and fashion', 'List of first ladies of the United States and their causes', 'Living first ladies', 'See also', 'References', 'Further reading', 'Generating thrust', 'Controlling motion', 'Regulating temperature', 'Ornamentation and other uses', 'Evolution of fins', 'Robotic fins', 'See also', 'Notes and references', 'Sources', 'Further reading'], ['Early life and education', 'Post-World War II life and work', 'Personal life', 'Research', '1949–1950', '1951–1953: DNA structure', 'Molecular biology', 'Controversy', '1972 Los Angeles', '1985 Wythenshawe and Lincoln Center', '1987 West End', 'U.S. regional productions', '1996 and 1998 concerts', '2001 Broadway revival', '2002 London revival', '2002 Los Angeles', '2007 New York City Center Encores!', '2011 Kennedy Center and Broadway', 'Classical Indian geometry', 'Chinese geometry', 'The Nine Chapters on the Mathematical Art', 'Islamic Golden Age', 'Renaissance', 'Modern geometry', 'The 17th century', 'The 18th and 19th centuries', 'Non-Euclidean geometry', 'Introduction of mathematical rigor', 'Population', 'Population by departments', 'Emigration', 'Ethnic groups', 'History', 'White Guatemalans', 'Mestizo Guatemalans', 'Indigenous Guatemalans', 'Vital statistics', 'UN estimates', 'Probabilities and expected value', 'In commutative rings', 'See also', 'Notes', 'References', 'Further reading'], ['Health and safety', 'Popular culture', 'Books', 'Television', 'Video games', 'See also', 'References', 'Citations', 'Sources'], ['Energy', 'Effects', 'Transportation regulations', 'Mining and industrial uses', 'Other uses', 'See also', 'References', 'Citations', 'Sources'], [], ['References'], ['Grid plan', 'Political representation', 'History', 'Early years', 'Reputation as urban bohemia', 'Postwar', 'Preservation', 'Rezoned areas', 'NYU dispute', 'Demographics', 'Architecture', 'Other microkernels', 'Unix extensions', 'Architecture of the servers', 'Core servers', 'Filesystem servers', 'Computer bought the farm', 'GNU distributions running Hurd', 'See also', 'References', 'Early parliamentary career: 1741–1754', 'Strawberry Hill', 'Later parliamentary career: 1754–1768', 'Later life: 1768–1788', 'Last years: 1788–1797', 'Rumours of paternity', 'Personal characteristics', 'Writings', 'Works', 'Non-fiction', '1540 expedition', 'References', 'Further reading'], ['Permanent changes in French society', 'Religion', 'Economy', 'Bourbon restoration: (1814–1830)', 'Evaluation', 'July Monarchy (1830–1848)', 'Second Republic (1848–1852)', 'Second Empire, 1852–1871', 'Foreign wars', 'Franco-Prussian War (1870–71)', 'Legendary foundations and prehistory', 'Early history', 'Anglo-Saxon London (5th century – 1066)', 'Early life and education', 'Career and research', 'Publications', 'Decision-making', 'Artificial intelligence', 'Psychology', 'Dogmatic and ecclesiastic', 'Critics', 'Karl Marx', 'Karl Popper', 'Leo Strauss', 'See also', 'References', 'Further reading'], ['Early history', 'Colonial era', 'Modern era', 'Geography', 'Climate', 'Geology', 'Biodiversity', 'Environment', 'Government and politics', 'Parties and elections', 'Primary function', 'History', '"Real time" standardization', 'Submarine-launched', 'Missile defense', 'See also', 'References', 'Further reading'], ['3290', '317x', '3180', '3191', '3192', '3193', '3194', 'Subsequent', 'Display-Controller', 'Printers', 'History', 'Development of the business (1926–1944)', 'Postwar innovation (1945–1990)', 'Reorganisation of the business (1991–2007)', 'Takeover by AkzoNobel', 'Operations', 'Argentina', 'Australia', 'New Zealand', 'See also', 'Penalties', 'In mixed martial arts', 'Alternative rulesets and derivative martial arts', 'Safety', 'Kansetsu and shime waza', 'Nage waza', 'Judoka (practitioner)', 'Judogi (uniform)', 'Organizations', 'Rank and grading', 'Life', 'Early years', 'Merchant marine', 'References', 'Bibliography', 'Biographical sources', 'Criticism and analysis', 'Further reading'], ['Scores and recordings', 'Expressions', 'Physiological effects and human perception', 'Force, acceleration, and jerk', 'In an idealized setting', 'In rotation', 'In elastically deformable matter', 'In the geometric design of roads and tracks', 'Biography', 'Scholarship and impact on history', 'Impact on history and archaeology', 'Manuscripts, textual criticism, and editions', "Josephus's audience", 'Historiography and Josephus', 'Works', 'The Jewish War', 'Jewish Antiquities', 'Kuwait Military Fire Service Directorate', 'Kuwait Fire Service Directorate', 'Relationship with the United States Armed Forces', 'Forces', 'Equipment', 'See also', 'Notes', 'References and links']]



['Wikipedia: Davy lamp', 'Wikipedia: Economy (disambiguation)', 'Wikipedia: Transport in Fiji', 'Wikipedia: Frank Herbert', 'Wikipedia: Freyr', 'Wikipedia: Gazpacho', 'Wikipedia: Great auk', 'Wikipedia: Grampus', 'Wikipedia: George William, Elector of Brandenburg', 'Wikipedia: Hollywood cycles', 'Wikipedia: Hunter College', 'Wikipedia: Imperial Airways', 'Wikipedia: James Bond', 'Wikipedia: Jimi Hendrix', 'Wikipedia: John Ambrose Fleming', 'Wikipedia: Foreign relations of Kuwait']
[['History', 'Design and theory', 'Impact', 'Successors', 'Cause', 'Treatment', 'Use of term spreads', 'From dementia praecox to schizophrenia', 'Diagnostic manuals', 'Conclusions', 'Footnotes', 'Bibliography', 'Further reading', 'See also', 'Finance and economics', 'Places', 'People', 'Arts, entertainment, and media', 'Macroeconomic stability', 'Trade', 'Investment', 'Inflation', 'Exchange rate risk', 'Financial integration', 'Effect on interest rates', 'Price convergence', 'Tourism', 'Exchange rates', 'Nomenclature==', 'Origin', 'General', 'Languages', 'Inuit', "Greenland's Inuit", "Inuit of Canada's Eastern Arctic", "Inuvialuit of Canada's Western Arctic", "Alaska's Iñupiat", 'Yupik', 'History', 'Particular consecrations', 'Use as cultural reference', 'Notes and references', 'Notes', 'References', 'Bibliography', 'Etymology', 'Chinese moral philosophy', 'European philosophy', 'Spinoza', 'Nietzsche', 'Psychology', 'Carl Jung', 'Philip Zimbardo', 'Religion', 'HSL 1', 'High Speed 1', 'Services', 'Frequency', 'Fares', 'Service connections', 'Controls and security', 'Operational performance', 'Awards and accolades', 'Organisation', 'Two-factor theory', 'Cognitive theories', 'Situated perspective on emotion', 'Genetics', 'Formation', 'Neurobiological explanation', 'Prefrontal cortex', 'Homeostatic/primordial emotion', 'Emergent explanation', 'Disciplinary approaches', 'Buses', 'Railways', 'Waterways', 'Ports and harbors'], ['Biography', 'Early life', 'See also', 'References', 'Further reading'], ['History', 'Expansion', 'Development', 'Recognition', 'World championships', 'Gameplay', 'Measurements', 'Equipment', "Use of other researchers' data", 'Eugenics', 'Harassment', 'Views on religion', 'Creationism', 'Directed panspermia', 'Neuroscience and other interests', 'Awards and honours', 'Francis Crick Medal and Lecture', 'Francis Crick Institute', '2012 Los Angeles', '2013 Toulon Opera House (France)', '2016 Australian Concert Version', '2017 London revival', 'Characters and original cast', 'Critical response', 'Recordings', 'Film adaptation', 'Awards and nominations', 'Original Broadway production', 'Analysis situs, or topology', 'The 20th century', 'Timeline', 'See also', 'Notes', 'References'], ['Fertility and births (demographic and health surveys)', 'Structure of the population', 'Marriage and childbearing', 'Other demographic statistics', 'Languages', 'Religion', 'References', 'History', 'Ingredients and preparation', 'Variations', 'In Spain', 'Arranque roteño', 'Extremaduran variations', 'Taxonomy and evolution', 'Etymology', 'Description', 'Animals', 'Ships', 'Sports', 'Biography', 'Early life', 'Rule', 'Points of interest', 'Police and crime', 'Fire safety', 'Health', 'Post offices and ZIP Codes', 'Education', 'Schools', 'Libraries', 'Transportation', 'Notable residents'], ['See also', 'Fiction', 'Walpole Society', 'References', 'Citations', 'Sources', 'Further reading'], ['Notable dishes', 'Hakka cuisine in South Asia', 'Hakka cuisine in Thailand', 'See also', 'References'], ['Modernisation and railways (1870–1914)', 'Third Republic and the Belle Epoque: 1871–1914', 'Third Republic and the Paris Commune', 'Political battles', 'Solidarism and Radical Party', 'Foreign policy', 'Dreyfus Affair', 'Religion 1870–1924', 'Belle époque', 'Colonial Empire', 'Norman and Medieval London (1066 – late 15th century)', 'Modern history', 'Tudor London (1485–1603)', 'Stuart London (1603–1714)', 'Great Fire of London (1666)', '18th century', '19th century', '20th century', 'In World War II', '21st century', 'Sociology and economics', 'Pedagogy', 'Awards and honors', 'Selected publications', 'Books', 'Articles', 'Personal life and interests', 'References', 'Citations', 'Sources', 'History', 'Founding', 'Expansion', 'CUNY era', 'Administrative divisions', 'Foreign relations', 'Military', 'Economy', 'Transport', 'Energy', 'Science and technology', 'Tourism', 'Demographics', 'Ethnic groups and languages', 'Development of Recommendations', 'Approval of recommendations', 'Series and recommendations', 'Series of ITU recommendations', 'International Telecommunication Regulations (ITRs)', 'AI for Good', 'Key standards published by ITU', 'Hot topics', 'See also', 'References', 'Social and cultural aspects', 'Locations and times', 'See also', 'References', 'Controllers', 'Graphics models', 'IBM 3179G', 'IBM 3279G', 'IBM 3472G', 'Manufacture', 'Telnet 3270', 'Technical Information', '3270 character set', 'Data stream', 'References', 'Further reading', 'Background', 'Filmography', 'See also', 'Footnotes', 'Bibliography'], ['Writer', 'Personal life', 'Temperament and health', 'Attempted suicide', 'Romance and marriage', 'Sojourn in Poland', 'Politics', 'Death', 'Writing style', 'Themes and style', 'Ancestry and childhood', 'First instruments', 'Military service', 'Career', 'Early years', 'First recordings', 'In motion control', 'In manufacturing', 'Further derivatives', 'See also', 'References'], ['Against Apion', 'Spurious works', 'See also', 'Notes and references', 'Explanatory notes', 'Citations', 'General sources', 'Further reading'], ['Overview', 'International disputes', 'Bilateral relations', 'Africa', 'Americas']]



['Wikipedia: Docklands Light Railway', 'Wikipedia: Dolphin', 'Wikipedia: Demand-pull inflation', 'Wikipedia: Elizabeth Garrett Anderson', 'Wikipedia: Republic of Fiji Military Forces', 'Wikipedia: Functional linguistics', 'Wikipedia: George H. W. Bush', 'Wikipedia: Politics of Guatemala', 'Wikipedia: Gopher (disambiguation)', 'Wikipedia: Gary Kildall', 'Wikipedia: Graphic design', 'Wikipedia: Health care reform', 'Wikipedia: Horace Engdahl', 'Wikipedia: Hunan cuisine', 'Wikipedia: Hematite', 'Wikipedia: Indian', 'Wikipedia: Ice', 'Wikipedia: Jan Borukowski', 'Wikipedia: History of Kyrgyzstan']
[['Notes', 'References', 'Further reading'], [], ['Etymology', 'Taxonomy and distribution', 'Religion', 'Other uses', 'See also', 'Flexible exchange rates', 'Against other major currencies', 'Political considerations', 'Linguistic issues', 'See also', 'Notes', 'References', 'Further reading'], ['Alutiiq', "Central Alaskan Yup'ik", 'Siberian Yupik', 'Naukan', 'Sirenik Eskimos', 'See also', 'References', 'Sources', 'Cyrillic', 'Further reading', 'Early life', 'Early education', 'Medical education', 'Career', 'BMA membership', 'Women’s suffrage movement', 'Problem of evil and source', 'Abrahamic religions', "Bahá'í Faith", 'Christianity', 'Islam', 'Judaism', 'Ancient Egyptian Religion', 'Indian religions', 'Buddhism', 'Hinduism', 'Railteam', 'Fleet', 'Fleet details', 'Current fleet', 'Class 373', 'Fleet updates', 'Class 374', 'Past fleet', 'Possible use of double-deck trains', 'Accidents, incidents and events', 'Sociology', 'Psychotherapy and regulation', 'Cross-cultural research', 'Computer science', 'The effects on memory', 'Notable theorists', 'See also', 'References', 'Further reading'], ['Merchant marine', 'Airports', 'Airports with paved runways', 'Airports with unpaved runways', 'References'], ['Dune', 'Success, family changes, and death', 'Criticism of government', 'Ideas and themes', 'Status and influence on science fiction', 'Bibliography', 'Posthumously published works', 'See also', 'References', 'Further reading', 'Name', 'Adam of Bremen', 'Prose Edda', 'Gylfaginning', 'Skaldic poetry', 'Nafnaþulur', 'Poetic Edda', 'Völuspá', 'Grímnismál', 'Goalkeepers', 'Ball', 'Rules', 'Penalties', 'Forms', 'Freebandy', 'Special Olympics', 'Streetbandy', 'Swiss floorball', 'Wheelchair floorball', 'Francis Crick Graduate Lectures', 'Other honours', 'Books', 'See also', 'References', 'Sources', 'Further reading'], ['Original London production', '2011 Broadway revival', 'Notes', 'References', 'Further reading'], ['Early life and education (1924–1948)', 'World War II', 'Marriage and college years', 'Business career (1948–1963)', 'Early political career (1963–1971)', 'Entry into politics', 'Executive branch', 'Legislative branch', 'Political parties and elections', 'Judicial branch', 'Administrative divisions', 'Foreign relations', 'La Mancha variations', 'Castilian variations', 'See also', 'References', 'Distribution and habitat', 'Ecology and behaviour', 'Diet', 'Reproduction', 'Relationship with humans', 'Extinction', 'Preserved specimens', 'Cultural depictions', "Children's books", 'Literature', 'See also', 'Early life', 'Business career', 'Ancestors', 'References', 'Sources'], ['In popular culture', 'Comics', 'Film', 'Games', 'Literature', 'Music', 'Television', 'Theater', 'See also', 'References', 'United States', 'Hawaii and Massachusetts', 'United Kingdom', 'Germany', 'Biography', 'Controversy', 'Bibliography', 'References'], ['History', 'Features', 'List of notable dishes', 'See also', 'References', '1914–1945', 'Population trends', 'World War I', 'Wartime losses', 'Postwar settlement', 'Interwar years', 'Great Depression', 'World War II', 'Resistance', 'Women in Vichy France', 'Population', 'Historical sites of note', 'See also', 'Notes', 'Further reading', 'Environment', 'Historiography', 'Older histories', 'Archival and academic digital projects'], ['Further reading'], ['Etymology and history', 'Campuses', 'Main campus', 'Satellite campuses', 'Other facilities', 'Libraries', 'Academics', 'Rankings', 'Honors programs', 'Student life', 'Student governance', 'Religion', 'Education and health', 'Issues', 'Culture', 'Art and architecture', 'Music, dance and clothing', 'Theatre and cinema', 'Mass media and literature', 'Cuisine', 'Sports'], ['People', 'South Asia', 'Physical properties', 'Phases', 'Friction properties', 'Natural formation', 'On the oceans', 'On land and structures', 'Commands', 'Write control character', 'Orders', 'Attributes', 'Buffer addressing', 'Example', 'Extended Data Stream', 'See also', 'Notes', 'References', 'Formation', 'Empire services', 'Route proving', 'The Eastern Route', 'The Africa Route', 'Short Empire flying boats', 'Passengers', 'Crews', 'Air Mail', 'Second World War', 'Publication history', 'Creation and inspiration', 'Novels and related works', 'Ian Fleming novels', 'Post-Fleming novels', 'Young Bond', 'The Moneypenny Diaries', 'Adaptations', 'Language', 'Controversy', 'Citizenship', 'Memorials', 'Legacy', 'Impressions', 'Works', 'Novels', 'Stories', 'Essays', 'The Jimi Hendrix Experience', 'UK success', 'Are You Experienced', 'Monterey Pop Festival', 'Axis: Bold as Love', 'Electric Ladyland', 'Break-up of the Experience', 'Woodstock', 'Band of Gypsys', 'Cry of Love Tour', 'Early years', 'Education and marriages', 'Activities and achievements', 'Lectures', 'Books by Fleming', 'References'], ['References', 'Asia', 'Europe', 'Oceania', 'See also', 'References']]



['Wikipedia: Extractor (mathematics)', 'Wikipedia: Esperantujo', 'Wikipedia: Epistle to the Hebrews', 'Wikipedia: Freyja', 'Wikipedia: Premier League', 'Wikipedia: Frigate', "Wikipedia: Fick's laws of diffusion", 'Wikipedia: Glorantha', 'Wikipedia: Gesta Danorum', 'Wikipedia: Henry Mayhew', 'Wikipedia: Holocene extinction', 'Wikipedia: Harry Shearer', 'Wikipedia: Indian Ocean', 'Wikipedia: Internalization', 'Wikipedia: Insanity defense', 'Wikipedia: John Updike', 'Wikipedia: Jahangir', 'Wikipedia: Joel Marangella']
[['Current system', 'Network', 'Services', 'Stations', 'Fares and ticketing', 'Rolling stock', 'Future rolling stock', 'Depots', 'Signalling technology', 'Corporate affairs', 'Feeding', 'Vocalization', 'Jumping and playing', 'Intelligence', 'Sleeping', 'Threats', 'Humans', 'Relationships with humans', 'and religion', 'In captivity', 'See also', 'References', 'Long-term refinancing operation', 'Outright Monetary Transactions', 'Quantitative easing', 'Mandate and inflation target', 'Tasks', 'Monetary policy tools', 'Regulatory reliance on credit ratings', 'Difference with US Federal Reserve', 'Organization', 'Decision-making bodies', 'Arguments against', 'See also', 'Notes', 'Further reading'], ['Physical processes', 'Rainfall and surface runoff', 'Rivers and streams', 'Coastal erosion', 'Chemical erosion', 'Glaciers', 'Floods', 'Wind erosion', 'Composition', 'Authorship', 'Date', 'High Speed 2', 'LGV Picardie', 'New destinations', 'Operational difficulties with cross-border trains', 'French high-speed rail expansion', 'Eurostar expansion', 'Southern France', 'Netherlands', 'Planned merger with Thalys', 'Competition', 'Philosophy', 'Marcus Aurelius', 'Simplicius of Cilicia', 'Bernard Stiegler', 'Literature', 'François Rabelais', 'Military', 'James Stockdale', 'Psychology', 'Religion', 'Enlisted', 'Political intervention', 'Military-church relations', 'Facilities', 'Operations', 'See also', 'Notes', 'References'], ['Purpose', 'Commercial fictional languages', 'Alien languages', 'Visual alien languages', 'Internet-based fictional languages', 'See also', 'References'], ['Gullgubber', 'Toponyms', 'See also', 'Notes', 'References', 'Primary sources'], ['History', 'Origins', 'Age of sail', 'Origins', 'Classic design', 'Heavy frigate', 'Functional principles', 'Frameworks', 'See also', 'References', '1988 presidential election', 'Presidency (1989–1993)', 'Foreign affairs', 'End of the Cold War', 'Invasion of Panama', 'Gulf War', 'NAFTA', 'Domestic affairs', 'Economy and fiscal issues', 'Discrimination', 'Economic development and poverty in Guatemala', 'Poor women and unpaid work', 'Educated women and the labor force', 'Child labor', 'Maquilas', 'Economic priorities', '2009 food crisis', 'Agriculture', 'Scale', 'History', 'Origins', 'In Romanticism and modern fairy tales', 'Cultural references', 'Modern fantasy literature', 'Music', 'Games', 'Multimedia Glorantha', 'History of the Gloranthan game world', 'Origin and board games (1960s - 70s)', 'Role-playing games (late 1970s -)', 'Books', 'Overview', 'Book 1', 'Strategy', 'Tools', 'Computers and software', 'Related design fields', 'Interface design', 'User experience design', 'Experiential graphic design', 'Occupations', 'Crowdsourcing in graphic design', 'See also', 'Early years', 'Career', 'Theatre', 'Musical theatre', 'Directing and producing', 'Film and television', 'Bridge', 'Personal life', 'Portrayals', 'Biography', 'Early life', 'Paris and writing', 'Biblical Hebrew', 'Early post-Biblical Hebrew', 'Displacement by Aramaic', 'Mishnah and Talmud', 'Medieval Hebrew', 'Revival', 'Modern Hebrew', 'Current status', 'Phonology', 'Consonants', 'Supply shocks', 'Models', 'Effects', 'Aftermath', 'Currency', 'Notable hyperinflationary episodes', 'Rome', 'Austria', 'Bolivia', 'Brazil', 'Surveys and reference', 'Social, economic and cultural history', 'Middle Ages', 'Early Modern', 'Old Regime', 'Enlightenment', 'Revolution', 'Long-term impact', 'Napoleon', 'Restoration: 1815–70', 'India', 'Greece and Hellenistic world', 'Egypt', 'China', 'Mesoamerica', 'Prehistoric Europe', 'Medieval Middle East', 'Medieval Western Europe', 'Copernican Revolution', 'Completing the Solar System', 'Definitions', 'Anthropocene', 'Influences', 'Human activity', 'Activities contributing to extinctions', 'Literature', 'Science and technology', 'Notable faculty', 'References'], ['Etymology', 'Geography', 'Extent and data', 'Coasts and shelves', 'Rivers', 'Marginal seas', 'Sport', 'Other uses', 'See also', 'Cooling', 'Harvesting', 'Mechanical production', 'Transportation', 'Land travel', 'Water-borne travel', 'Air travel', 'Recreation and sports', 'Other uses', 'As thermal ballast', 'Career', '1948–1956: early career with Webb and Knapp', 'NCAR and related projects', 'Kennedy Library', '"Pei Plan" in Oklahoma City', "Providence's Cathedral Square", 'Augusta, Georgia', 'Dallas City Hall', 'Hancock Tower, Boston', 'National Gallery East Building, Washington, DC', 'Mitigating factors and diminished capacity', 'Non compos mentis', 'Withdrawal or refusal of defense', 'Psychiatric treatments', 'Vehicles', 'Gadgets', 'Cultural impact', 'Criticisms', 'See also', 'References', 'Bibliography'], ['Further reading'], ['Early life and education', 'Effects', 'Influences', 'Legacy', 'Recognition and awards', 'Discography', 'See also', 'Notes', 'References', 'Bibliography', 'Further reading', 'References'], ['Early life', 'In popular culture', 'References', 'Further reading'], ['Independence and the Akayev Presidency: 1991-2005', 'Tulip Revolution: 2005', "Bakiyev's Presidency: 2005-2010", 'Revolution 2010', 'Atambayev Presidency: 2011-to 2017', 'Jeenbekov Presidency: 2017-to Present', 'See also', 'References', 'Further reading']]



['Wikipedia: Division ring', 'Wikipedia: Euclidean space', 'Wikipedia: Esther', 'Wikipedia: Googolplex', 'Wikipedia: Garrison Keillor', 'Wikipedia: Hydrogen', 'Wikipedia: Horror film', 'Wikipedia: Halloween', 'Wikipedia: Haber process', 'Wikipedia: Ich bin ein Berliner', 'Wikipedia: Ionic', 'Wikipedia: ICD (disambiguation)', 'Wikipedia: Janet Reno', 'Wikipedia: Josiah Wedgwood']
[['Euston/St Pancras extension', 'Lewisham to Catford/Lewisham to Beckenham Junction extension', 'Lewisham to Bromley North extension', 'Accidents and incidents', 'In media', 'See also', 'Notes', 'References', 'Bibliography'], [], ['Relation to fields and linear algebra', 'Examples', 'Expansion', 'Characteristics', 'Functional areas', 'GRP', 'Best practices', 'Connectivity to plant floor information', 'Implementation', 'Process preparation', 'Configuration', 'Two-tier enterprise resource planning', 'The arguments against too much independence', 'An independence that would be the source of a democratic deficit.', 'The arguments in favour of a counter power', 'Transparency', 'Democratic accountability', 'Location', 'See also', 'Notes', 'References'], ['Population', 'Education', 'Media', 'Internet', 'Sport', 'Esperanto speakers and Esperantists', 'Economy', 'Businesses', 'Currency', 'Culture', 'Consequences of human-made soil erosion', 'See also', 'References', 'Further reading'], ['Etymology', 'In the Bible', 'Purim', 'Historicity', 'Interpretations', 'Equinoxes on Earth', 'General', 'Date', 'Modern dates', 'Names', 'Length of equinoctial day and night', 'Geocentric view of the astronomical seasons', 'Day arcs of the Sun', 'Celestial coordinate systems', 'Biography', 'Early years', 'Artist', 'Illustrated Excursions in Italy (1842–46)', 'Composer and musician', 'Relationships', 'San Remo and death', 'Author', 'Foreign reaction to Fijian legislation', 'Fiji and international organizations', 'Commonwealth of Nations', 'Oceania Customs Organisation', 'World Trade Organization', 'International Labour Organization', 'Diplomatic initiatives', 'See also', 'References', "Manufacturers' return", "Manufacturers' decline and return of the privateers", 'Political disputes', 'FISA–FOCA war', 'FIA–FOTA dispute', 'Outside the World Championship', 'European non-championship racing', 'South African Formula One championship', 'British Formula One Championship', 'Racing and strategy', 'Other', 'Post-Christianization and Scandinavian folklore', 'Eponyms', 'Archaeological record and historic depictions', 'Theories', 'Relation to Frigg and other goddesses and figures', 'Receiver of the slain', 'The Oriental hypothesis', 'Modern influence', 'See also', 'Wins by club', '2020–21 season', 'Maps', 'Other clubs', 'Non-English clubs', 'Wales', 'Scotland and Ireland', 'International competitions', 'Qualification for European competitions', 'Qualification criteria for 2020–21', 'Further developments', 'Littoral combat ship (LCS)', 'Frigates in preservation', 'Original sailing frigates', 'Replica sailing frigates', 'Steam frigates', 'Modern frigates', 'See also', 'References', 'Citations', 'Applications', "Fick's flow in liquids", 'Sorption rate and collision frequency of diluted solute', 'Biological perspective', 'Semiconductor fabrication applications', 'See also', 'Notes', 'References'], ['Personal life', 'Legacy', 'Historical reputation', 'Memorials, awards, and honors', 'See also', 'Notes', 'References', 'Works cited', 'Further reading', 'Secondary sources', 'Radio and television', 'Telephones', 'Internet', 'Internet censorship and surveillance', 'See also', 'References'], ['History', 'Size', 'In pure mathematics', 'In the physical universe', 'Mod n', 'See also', 'Places', 'People', 'Mythology and fiction', 'Science and technology', 'Agriculture and horticulture', 'Government', 'Other uses'], ['Early life', 'Career', 'Theoretical extent', 'Asia', 'Africa', 'See also', 'References', 'Further reading'], ['Biography', 'Early life', 'Harvard, Manila, and MIT', 'University of California, Berkeley', 'Death', 'Scientific achievements', 'Thermodynamics', 'Valence theory', 'Acids and bases', 'Heavy water', 'Properties', 'Combustion', 'Flame', 'Reactants', '1890s–1900s', 'Trick Films', '1910s', '1920s', 'Soviet Union', 'Venezuela', 'Yugoslavia', 'Zimbabwe', 'Examples of high inflation', 'Holy Roman Empire', 'Iraq', 'Mexico', 'Ecuador', 'Roman Egypt', 'Etymology', 'History', 'Gaelic and other Celtic influence', 'Christian influence', 'Spread to North America', 'Symbols', 'History', 'Process', 'Sources of hydrogen', 'Disease', 'Defaunation', 'History', 'Recent extinction', 'Habitat destruction', 'Overexploitation', 'Mitigation', 'See also', 'References', 'Further reading', 'Personal life', 'Filmography', 'Film', 'Television', 'Video games', 'Web', 'Music video', 'Discography', 'Bibliography', 'Awards', 'Trade', 'See also', 'References', 'Notes', 'Sources'], ['Arts and entertainment', 'Places and peoples', 'Science and technology', 'Other uses', 'See also', 'Overview', 'Formation', 'Structures', 'Strength of the bonding', 'Polarization effects', 'Comparison with covalent bonding', 'See also', 'References', 'References', 'Notes', 'Bibliography'], ['Guilty but mentally ill', 'Burden of proof', 'Controversy', 'Australian law', 'Canadian law', 'Criminal Code provisions', 'Post-verdict conditions', 'Accused unfit to stand trial', 'German law', 'Japanese law', 'Early Modern Japanese', 'Modern Japanese', 'Geographic distribution', 'Official status', 'Dialects', 'Classification', 'Current theories and possibilities', 'Phonology', 'Vowels', 'Consonants', 'Themes', 'Sex', 'United States', 'Death', 'In popular culture', 'Bibliography', 'Awards', 'Notes', 'References', 'Further reading and literary criticism', 'Selected writings', 'References', 'Further reading'], ['Ancestry', 'Works online', 'See also', 'References', 'Further reading'], ['Early life and education', 'Career', 'Research', 'Statistical mechanics of water', 'Nuclear magnetic resonance', 'Semi-empirical theory', 'Ab initio electronic structure theory', 'Awards and honours', 'Personal life', 'See also', 'Land management', 'Aral Sea', 'Environmental policy making', 'Specially protected areas', 'Area and boundaries', 'Resources and land use', 'Climate Change', 'Climate change contributions', 'Greenhouse gases', 'Climate change impacts']]



['Wikipedia: Dundee', 'Wikipedia: Electron', 'Wikipedia: Ethernet', 'Wikipedia: Eve Arden', 'Wikipedia: Goal line (gridiron football)', 'Wikipedia: First-class cricket', 'Wikipedia: Francisco Franco', 'Wikipedia: Far East', 'Wikipedia: GPS (disambiguation)', 'Wikipedia: Transport in Guatemala', 'Wikipedia: Graphite', 'Wikipedia: Garnet Bailey', 'Wikipedia: Grigori Rasputin', 'Wikipedia: Harrison Narcotics Tax Act', 'Wikipedia: High fantasy', 'Wikipedia: Indium', 'Wikipedia: IBF (disambiguation)', 'Wikipedia: Islamic Jihad', 'Wikipedia: John Steinbeck', 'Wikipedia: Jerry Falwell Sr.']
[['History', 'Governance', 'Local government', 'Main theorems', 'Related notions', 'Notes', 'See also', 'References', 'Further reading'], ['Customization', 'Extensions', 'Data migration', 'Advantages', 'Benefits', 'Disadvantages', 'Postmodern ERP', 'See also', 'References', 'Bibliography', 'History', 'Discovery of effect of electric force', 'Discovery of two kinds of charges', 'Architectural heritage', 'Cultural heritage', 'Celebrations', 'Cultural events', 'See also', 'References', 'Definition', 'History of the definition', 'Motivation of the modern definition', 'Technical definition', 'Prototypical examples', 'Affine structure', 'Subspaces', 'Lines and segments', 'Esther as rhetorical model', 'Persian culture', 'Depictions of Esther', 'Canonicity in Christianity', 'Music', 'Notes', 'Citations', 'Sources', 'Further reading'], ['Cultural aspects', 'Effects on satellites', 'Equinoxes on other planets', 'See also', 'Footnotes', 'References'], ['Portrayals', 'Works', 'Illustrations', 'See also', 'References'], ['References', 'See also', 'Tyre rules', 'Qualifying', 'Race', 'Flags', 'Points system', 'Constructors', 'Drivers', 'Feeder series', 'Beyond F1', 'Grands Prix', 'Notes', 'References', 'Primary sources'], ['Previous seasons', 'Performance in international competition', 'Sponsorship', 'Finances', 'Media coverage', 'United Kingdom and Ireland', 'Worldwide', 'Widening gap with lower leagues', 'Stadiums', 'Managers', 'Sources'], ['Early life', 'Popularization', 'Cultural as well as geographic meaning', 'Territories and regions conventionally included under the term Far East', 'Cities', 'Primary sources'], ['Technology', 'Ground transportation', 'Streets', 'Highways', 'References'], ['Types and varieties', 'See also', 'Early life', 'Career', 'Radio', 'Writing', 'Bookselling', 'Voice-over work', 'Reception', 'In popular culture', 'Personal life', 'Controversies', 'Separation from MPR', 'Settlement and access to archived shows', 'Early life', 'Religious conversion', 'Rise to prominence', 'O4 Tetraoxygen', 'Relativity and quantum physics', 'Other achievements', 'See also', 'References', 'Further reading'], ['Electron energy levels', 'Elemental molecular forms', 'Phases', 'Compounds', 'Covalent and organic compounds', 'Hydrides', 'Protons and acids', 'Atomic hydrogen', 'Isotopes', 'History', 'German Expressionism', 'Universal Classic Monsters (Silent Era)', 'Other productions in the 1920s', '1930s', 'Universal Classic Monsters (Golden Age)', '1931: The two Dracula movies and Frankenstein', '1932: Edgar Allan Poe Double Feature and The Mummy', '1933: The Invisible Man debuts', '1934: "The Black Cat" premieres', '1935: "Bride of Frankenstein" premieres', 'Romania', 'Transnistria', 'Turkey', 'United States', 'Vietnam', 'Ten most severe hyperinflations in world history', 'Units of inflation', 'See also', 'Notes', 'References', 'Trick-or-treating and guising', 'Costumes', 'Pet costumes', 'Games and other activities', 'Haunted attractions', 'Food', 'Christian religious observances', 'Analogous celebrations and perspectives', 'Judaism', 'Islam', 'Reaction rate and equilibrium', 'Catalysts', 'Production of iron-based catalysts', 'Catalysts other than iron', 'Second generation catalysts', 'Catalyst poisons', 'Industrial production', 'Synthesis parameters', 'Large-scale technical implementation', 'Mechanism'], ['History', 'International background', 'References'], ['Characteristics', 'Background', 'Genesis and execution of the speech', 'Origins', 'Delivery', 'Consequences and legacy', '"I am a doughnut" urban legend', 'Cultural references', 'Properties', 'Physical', 'Chemical'], ['Businesses', 'Sports', 'Organizations', 'Science and technology', 'Medicine', 'Other uses', 'See also', 'Polish law', 'Russian law', 'Scottish law', 'Nordic countries', 'Usage and success rate', 'See also', 'Footnotes', 'References', 'Further reading'], ['Grammar', 'Sentence structure', 'Inflection and conjugation', 'Politeness', 'Vocabulary', 'Writing system', 'Hiragana', 'Katakana', 'Non-native study', 'See also'], ['Early life', 'Career', 'Early life', 'Early career', 'State Attorney', 'Drug court', 'McDuffie trial', 'Child abuse prosecutions', 'Death penalty', 'U.S. Attorney General', 'Clinton administration investigations', 'Biography', 'Early life', 'Marriage and children', 'Work', 'Legacy and Influence', 'Abolitionism', 'Inventions', 'References'], ['Early life and education', 'Agriculture', 'Energy sector', 'Forestry', 'Natural disasters', 'Climate action strategies and plans', 'Glacier monitoring', 'Hydro power rehabilitation projects', 'Emergency disaster risk management', 'References']]



['Wikipedia: Dia (software)', 'Wikipedia: Endocrinology', 'Wikipedia: Entamoeba', 'Wikipedia: Eugene Wigner', 'Wikipedia: Tackle (football move)', 'Wikipedia: Fawlty Towers', 'Wikipedia: George Berkeley', 'Wikipedia: Governor of Michigan', 'Wikipedia: Herbert Hoover', 'Wikipedia: Hot or Not', 'Wikipedia: Human sexual activity', 'Wikipedia: Iqaluit', 'Wikipedia: Immune system', 'Wikipedia: Intel 80486', 'Wikipedia: Ice age', 'Wikipedia: Johnny Got His Gun', 'Wikipedia: Supreme Court of Judicature Act 1873', 'Wikipedia: Demographics of Kyrgyzstan']
[['Westminster and Holyrood', '2014 Scottish independence referendum', 'Geography', 'Geology', 'Location', 'Urban environment', 'Climate', 'Demography', 'Economy', 'Modern day', 'Features', 'Exports', 'Development', 'See also', 'References'], [], ['The endocrine system', 'Hormones', 'Discovery of free electrons outside matter', 'Atomic theory', 'Quantum mechanics', 'Particle accelerators', 'Confinement of individual electrons', 'Characteristics', 'Classification', 'Fundamental properties', 'Quantum properties', 'Virtual particles', 'History', 'Standardization', 'Evolution', 'Repeaters and hubs', 'Advanced networking', 'Varieties', 'Parallelism', 'Metric structure', 'Distance and length', 'Orthogonality', 'Angle', 'Cartesian coordinates', 'Other coordinates', 'Isometries', 'Isometry with prototypical examples', 'Euclidean group', 'Species', 'Structure', 'Classification', 'Early life', 'Middle years', 'Manhattan Project', 'Later years', 'Publications', 'Selected contributions', 'Early life', 'Career', 'Film', 'Radio and television', 'Stage', 'Personal life', 'Death', 'Name origin', 'Association football', 'Australian rules football', 'Types of tackles in Australian rules', 'Other tackling methods', 'Returning additions (2008–present)', 'New Locations Initiative (2008-present)', 'Proposed/Future Grands Prix', 'Effects of COVID-19', 'Circuits', 'Cars and technology', 'Revenue and profits', 'Future', 'Media coverage', 'Distinction between Formula One and World Championship races', 'MCC ruling, May 1894', 'ICC ruling, May 1947', 'Application', 'Recognised matches', 'No retrospective effect', 'Issue for statisticians', 'Important matches classification', '18th century startpoints', 'Historical v. statistical', 'Players', 'Appearances', 'Foreign players and transfer regulations', 'Player wages', 'Player transfer fees', 'Top scorers', 'Awards', 'Trophy', 'Player and manager awards', '20 Seasons Awards', 'Military career', 'Rif War and advancement through the ranks', 'During the Second Spanish Republic', '1936 general election', 'From the Spanish Civil War to World War II', 'The first months', 'Rise to power', 'Military command', 'Political command', 'The end of the Civil War', 'See also', 'Notes', 'Further reading', 'Organizations', 'Education', 'Medicine', 'Other uses', 'See also', 'Railways', 'Railway links with adjacent countries', 'Waterways', 'Pipelines', 'Ports and harbors', 'Atlantic Ocean', 'Pacific Ocean', 'Merchant marine', 'Boats', 'Airports', 'Occurrence', 'Properties', 'Structure', 'Rhombohedral graphite', 'Thermodynamics', 'Other properties', 'History of natural graphite use', 'Other names', 'Uses of natural graphite', 'Refractories', 'Death and legacy', 'Career statistics', 'Regular season and playoffs', 'Awards and achievements', 'Transactions', 'References'], ['Finding Your Roots segment', 'Awards and other recognition', 'Bibliography', 'Lake Wobegon', 'Other works', 'Poetry', 'Poetry anthologies', 'Contributions to The New Yorker', 'References', 'Further reading', 'Healer to Alexei', 'Controversy', 'Assassination attempt', 'Death', 'Aftermath', 'Theory of British involvement', 'Daughter', 'See also', 'Notes', 'References', 'Qualifications', 'Elections and term of office', 'Powers and duties', 'History of the office', 'See also', 'Notes', 'Discovery and use', 'Role in quantum theory', 'Cosmic prevalence and distribution', 'States', 'Production', 'Electrolysis of water', 'Steam reforming (Industrial Method)', 'Metal-acid', 'Thermochemical', 'Serpentinization reaction', '1936: "Dracula\'s Daughter" premieres', "1937-1939: The decline of the studio's Golden Age", 'Other productions in the 1930s', '1940s', 'Universal Classic Monsters (Numerous Sequels and the debut of The Wolf Man)', 'Other productions in the 1940s', '1950s', 'The Arrival of 3-D', 'William Castle and Promotional Gimmicks in Theaters', 'Creature Feature', 'Further reading'], ['Early life', 'Hinduism', 'Neopaganism', 'Around the world', 'See also', 'References', 'Further reading'], ['Elementary steps', 'Energy diagram', 'Economic and environmental aspects', 'See also', 'References'], ['Domestic background', 'Effect', 'Challenge', 'See also', 'References', 'Further reading'], ['Themes', 'Game settings', 'See also', 'References'], ['See also', 'References', 'Further reading'], ['Isotopes', 'Compounds', 'Indium(III)', 'Indium(I)', 'Other oxidation states', 'Organoindium compounds', 'History', 'Occurrence', 'Production and availability', 'Applications', 'Layered defense', 'Innate immune system', 'Pattern recognition by cells', 'See also', 'History of research', 'Evidence', 'Major ice ages', 'Notes', 'References', 'Citations', 'Works cited', 'Further reading'], ['Writing', 'Ed Ricketts', '1940s–1960s work', 'Nobel Prize', 'Personal life', 'Death and legacy', 'Literary influences', 'Commemoration', 'Religious views', 'Political views', 'Later career', 'Awards and honors', 'In popular culture', 'Personal life', 'Death', 'See also', 'Notes', 'References', 'Sources'], ['Other', 'Notes', 'References', 'Further reading'], ['Associated organizations', 'Thomas Road Baptist Church', 'Liberty Christian Academy', 'Liberty University', 'Moral Majority', 'PTL', 'Social and political views', 'Families', 'Vietnam War', 'Civil rights', 'Demographic trends', 'Vital statistics', 'Births and deaths', 'Total fertility rate']]



['Wikipedia: Deep Space 1', 'Wikipedia: England national football team', 'Wikipedia: Electroweak interaction', 'Wikipedia: Ferdinand de Saussure', 'Wikipedia: Fine Gael', 'Wikipedia: Armed Forces of Guatemala', 'Wikipedia: Gilles Deleuze', 'Wikipedia: Galatia', 'Wikipedia: Gemstone', 'Wikipedia: Götterdämmerung', 'Wikipedia: Hayling Island', 'Wikipedia: Horse tack', 'Wikipedia: Iodine', 'Wikipedia: John Wayne']
[['Landmarks', 'Transport', 'Education', 'Colleges and universities', 'Schools', 'Religious sites', 'Christian groups', 'Other religious communities', 'Culture', 'Museums and galleries', 'Technologies', 'Autonav', 'SCARLET concentrating solar array', 'Amines', 'Peptide and protein', 'Steroid', 'As a profession', 'Work', 'Training', 'Diseases and medicine', 'Diseases', 'Societies and organisations', 'History', 'Interaction', 'Atoms and molecules', 'Conductivity', 'Motion and energy', 'Formation', 'Observation', 'Plasma applications', 'Particle beams', 'Imaging', 'Other applications', 'Frame structure', 'Autonegotiation', 'Error conditions', 'Switching loop', 'Jabber', 'Runt frames', 'See also', 'Notes', 'References', 'Further reading', 'Topology', 'Axiomatic definitions', 'Usage', 'Other geometric spaces', 'Affine space', 'Projective space', 'Non-Euclidean geometries', 'Curved spaces', 'Pseudo-Euclidean space', 'See also', 'Culture', 'Fission', 'Differentiation and cell biology', 'Meiosis', 'References'], ['See also', 'Notes', 'References'], ['Filmography', 'Television', 'Select stage credits', 'See also', 'References', 'Notes', 'Sources', 'Further reading'], ['Gaelic football', 'International rules football', 'Rugby football', 'Rugby league', 'Rugby union', 'Non-tackling variants', 'Other uses', 'Allowable tackle types', 'Controversial techniques', 'References', 'Responsibility towards the environment', 'Logo history', 'See also', 'Notes', 'References', 'Further reading'], ['See also', 'References', 'Bibliography'], ['See also', 'References'], ['World War II', 'Treatment of Jews', 'Spain under Franco', 'Political repression', 'Women in Francoist Spain', 'The Spanish colonies and decolonisation', 'Economic policy', 'Succession', 'Death and funeral', 'Exhumation', 'Origins', 'Production', 'Plot directions and examples', 'Characters', 'Basil Fawlty', 'Sybil Fawlty', 'Polly Sherman', 'Manuel', 'Other regular characters and themes', 'Episodes', 'Biography', 'Ireland', 'England and Europe', 'Marriage and America', 'Episcopate in Ireland', 'Humanitarian work', 'Last works', 'Contributions to philosophy', 'Named airports', 'Airports - with paved runways', 'Airports - with unpaved runways', 'See also', 'References'], ['Batteries', 'Steelmaking', 'Brake linings', 'Foundry facings and lubricants', 'Pencils', 'Other uses', 'Expanded graphite', 'Intercalated graphite', 'Uses of synthetic graphite', 'Invention of a process to produce synthetic graphite', 'Life', 'Early life', 'Career', 'Personal life', 'Death', 'Philosophy'], ['Geography', 'Celtic Galatia'], ['Characteristics and classification', 'Value', 'References', 'Composition', 'Roles', 'Applications', 'Petrochemical industry', 'Hydrogenation', 'Coolant', 'Energy carrier', 'Semiconductor industry', 'Niche and evolving uses', 'Biological reactions', 'Safety and precautions', 'Notes', 'Science Fiction and Horror in the 1950s', 'Hammer Films', 'Horror Anthology Series in 1950s Television', '1960s', '1970s–1980s', '1990s', '2000s', '2010s', '2020s', 'Subgenres', 'Mining engineer', 'Bewick, Moreing', 'Sole proprietor', 'Marriage and family', 'World War I and aftermath', 'Relief in Europe', 'U.S. Food Administration', 'Post-war relief', '1920 election', 'Secretary of Commerce', 'History', 'Geography', 'Climate', 'Sport and leisure', 'Transport', 'Description', 'History', 'Predecessors and spin-offs', 'Research', 'See also', 'Notes', 'References', 'Saddles', 'Saddle accessories', 'Stirrups', 'Headgear', 'Halters', 'Bridles', 'Types', 'Mating strategies', 'Stages of physiological arousal during sexual stimulation', 'Psychological aspects', 'Motivations', 'Self-determination theory', 'Frequency', 'Adolescents', 'History', 'Timeline', 'Geography', 'Climate', 'Cityscape', 'Neighbourhoods', 'Suburbs', 'Architecture and attractions', 'Demographics', 'Biological role and precautions', 'See also', 'References', 'Sources'], ['Toll-like receptors', 'Cytosolic receptors', 'Inflammasomes', 'Surface barriers', 'Cellular components', 'Phagocytes', 'Dendritic cells', 'Granulocytes', 'Innate lymphoid cells', 'Inflammation', 'Background', 'Improvements', 'Differences between i386 and i486', 'Models', 'Other makers of 80486-like CPUs', 'Motherboards and buses', 'Gaming', 'Obsolescence', 'See also', 'Glacials and interglacials', 'Feedback processes', 'Positive', 'Negative', 'Causes', "Changes in Earth's atmosphere", 'Human-induced changes', 'Position of the continents', 'Fluctuations in ocean currents', 'Uplift of the Tibetan plateau', 'Plot', 'Characters', 'Title and context', 'Publication', 'Adaptations', 'See also', 'References', 'Government harassment', 'Major works', 'In Dubious Battle', 'Of Mice and Men', 'The Grapes of Wrath', 'East of Eden', 'Travels with Charley', 'Bibliography', 'Filmography', 'See also', 'Early life', 'Acting career', 'Early film career', 'Liberal view', 'Conservative view', 'Appellate Jurisdiction Act 1875', 'See also'], ['Further reading', 'Israel and Jews', 'Education', 'Apartheid', 'Clinton Chronicles', 'Views on homosexuality', 'Teletubbies', 'September 11 attacks', 'Labor unions', 'Relationship with American fundamentalism', 'Islam', 'Ethnic groups', 'CIA World Factbook demographic statistics', 'Languages', 'Religions', 'Sex ratio', 'Infant mortality rate', 'Life expectancy at birth', 'Nationality', 'Literacy', 'See also']]



['Wikipedia: Endocrine system', 'Wikipedia: Europium', 'Wikipedia: List of explorations', 'Wikipedia: Edwin Austin Abbey', 'Wikipedia: Elementary function', 'Wikipedia: Play from scrimmage', 'Wikipedia: Franco Baresi', 'Wikipedia: Galatians', 'Wikipedia: Helium', 'Wikipedia: H.263', 'Wikipedia: Intel 80486SX', 'Wikipedia: Simon–Ehrlich wager', 'Wikipedia: Joshua Reynolds', 'Wikipedia: Julian (emperor)', 'Wikipedia: Politics of Kyrgyzstan']
[['Literature', 'Cinema', 'Music', 'Media', 'Sports and recreation', 'Football', 'Ice hockey', 'Rugby', 'Other sports', 'Public services', 'NSTAR ion engine', 'Remote Agent', 'Beacon Monitor', 'SDST', 'PEPE', 'MICAS', 'Mission overview', 'Results and achievements', 'Current status', 'Statistics', 'See also', 'References', 'Structure', 'See also', 'Notes', 'References'], [], ['See also', 'Footnotes', 'References'], ['History', 'Early years', 'Walter Winterbottom and Alf Ramsey', 'Don Revie, Ron Greenwood and Bobby Robson', 'Graham Taylor, Terry Venables, Glenn Hoddle and Kevin Keegan', 'Sven-Göran Eriksson, Steve McClaren and Fabio Capello', 'Roy Hodgson, Sam Allardyce and Gareth Southgate', 'History', 'Formulation', 'Lagrangian', 'Before electroweak symmetry breaking', 'After electroweak symmetry breaking', 'See also', 'Notes', 'References', 'Further reading', 'Examples', 'Basic examples', 'Composite examples', 'Non-elementary functions', 'Specifications', 'The play', 'See also', 'Club career', 'International career', 'Style of play', 'Coaching career', 'Personal life', 'Media', 'Biography', 'Work and influence', 'Course in General Linguistics', 'Laryngeal theory', 'Influence outside linguistics', 'View of language', 'Language as a semiotic system', 'The bilateral sign', 'Opposition theory', 'History', 'Ideology and policies', 'Social policies', 'LGBT+ issues', 'Abortion', 'Law and order party', 'Economic policies', 'Constitutional reform policies', 'Health policies', 'Pro-Europeanism', 'Legacy', 'In popular media', 'Cinema and television', 'Music', 'Literature', 'See also', 'Notes', 'References', 'Bibliography', 'Further reading', 'Series 1 (1975)', 'Series 2 (1979)', 'Reception', 'Critical reaction', 'Awards and accolades', 'Legacy', 'Remakes, adaptations and reunions', 'Fawlty Towers: Re-Opened', 'Overseas', 'Home video releases and merchandise', 'Theology', 'Relativity arguments', 'New theory of vision', 'Philosophy of physics', "Berkeley's razor", 'Philosophy of mathematics', 'Moral philosophy', 'Immaterialism', 'Influence', 'Commemoration', 'History', 'Organization', 'Service branches', 'Army', 'Navy', 'Air Force', 'Honor Guard', 'Scientific research', 'Electrodes', 'Powder and scrap', 'Neutron moderator', 'Graphite mining, beneficiation, and milling', 'Occupational safety', 'United States', 'Graphite recycling', 'See also', 'References', 'Metaphysics', 'Epistemology', 'Values', "Deleuze's interpretations", 'Reception', 'Bibliography', 'Documentaries', 'Audio (lectures)', 'See also', 'Notes and references', 'Roman Galatia', 'Gallery', 'See also', 'Notes', 'References'], ['Grading', 'Cutting and polishing', 'Colors', 'Treatment', 'Heat', 'Radiation', 'Waxing/oiling', 'Fracture filling', 'Synthetic and artificial gemstones', 'List of rare gemstones', 'Synopsis', 'Prologue', 'Act 1', 'Act 2', 'Act 3', 'Noted excerpts', 'Analysis', 'Recordings', 'References'], ['References', 'Further reading'], ['Comedy horror', 'Folk horror', 'Found footage horror', 'Gothic horror', 'Natural horror', 'Teen horror', 'Psychological effects of horror films', 'Neurocinematics – the subconscious effect of horror films on the audience', 'Different techniques employed by horror films on the audience', 'Physical effects of horror films on the audience', 'Radio and travel', "Hoover's image building", 'Other initiatives', 'Mississippi flood', 'Presidential election of 1928', 'Presidency', 'Great Depression', 'Early policies', 'Later policies', 'Budget policy', 'Notable people', 'Hayling oysterbeds', 'Paris To Hayling Charity Cycle Ride', 'Population', 'List of settlements', 'Places of interest', 'See also', 'References'], ['History and background', 'Versions', 'Hackamores and other bitless designs', 'Other headgear', 'Reins', 'Bits', 'Harness', 'Breastplates and martingales', 'Associated accoutrements', 'See also', 'References', 'Health and safety', 'Unwanted pregnancy', 'Sexually transmitted infections', 'Aging', 'Orientations and society', 'Heterosexuality', 'Homosexuality', 'Bisexuality and pansexuality', 'Other social aspects', 'General attitudes', 'Education', 'Infrastructure', 'Emergency services', 'Medical services', 'Sports facilities', 'Transportation', 'Waste and water treatment', 'Media', 'Communications', 'Press', 'History', 'Properties', 'Isotopes', 'Chemistry and compounds', 'Charge-transfer complexes', 'Hydrogen iodide', 'Other binary iodides', 'Iodine halides', 'Complement system', 'Adaptive immune system', 'The recognition of antigen', 'Antigen presentation to T lymphocytes', 'Cell mediated immunity', 'Killer T cells', 'Helper T cells', 'Gamma delta T cells', 'The humoral immune response', 'Immunological memory', 'Notes', 'References'], ["Variations in Earth's orbit", "Variations in the Sun's energy output", 'Volcanism', 'Recent glacial and interglacial phases', 'Glacial stages in North America', 'Last Glacial Period in the semiarid Andes around Aconcagua and Tupungato', 'Effects of glaciation', 'See also', 'References'], [], ['Background', 'Analysis', 'References', 'Sources', 'Further reading'], ['Libraries', 'Videos', 'Stagecoach and the war years', 'Radio work', 'Post-war', 'Later career', 'Political views', '1971 Playboy interview', 'Personal life', 'Death', 'Legacy', 'Awards, celebrations, and landmarks', 'Life', 'Early life', 'Caesar in Gaul', 'Campaigns against Germanic kingdoms', 'Taxation and administration', 'Legal issues', 'SEC and bonds', 'Falwell versus Penthouse', 'Hustler Magazine v. Falwell', 'Falwell versus Jerry Sloan', 'Falwell versus Christopher Lamparello', 'Apocalyptic beliefs', 'Failing health and death', 'Legacy', 'Publications', 'References', 'Political history', 'Executive branch']]



['Wikipedia: Do Not Adjust Your Set', 'Wikipedia: Jacques-Louis David', 'Wikipedia: Edward Jenner', 'Wikipedia: Evolutionary psychology', 'Wikipedia: Erasmus Reinhold', 'Wikipedia: Enchiridion of Epictetus', 'Wikipedia: Stage (stratigraphy)', 'Wikipedia: Fat', 'Wikipedia: Fu Manchu', 'Wikipedia: August Kekulé', 'Wikipedia: G. E. Moore', 'Wikipedia: Foreign relations of Guatemala', 'Wikipedia: House of Pain', 'Wikipedia: House of Orange (disambiguation)', 'Wikipedia: Histone', 'Wikipedia: Hydraulic ram', 'Wikipedia: Island', 'Wikipedia: Johnny Haynes', 'Wikipedia: Jay Leno', 'Wikipedia: Economy of Kyrgyzstan']
[['Episodes', 'DVD release', 'References', 'People', 'Other uses', 'See also', 'Clinical significance', 'Disease', 'Other animals', 'Additional images', 'See also', 'References'], ['Halides', 'Chalcogenides and pnictides', 'History', 'Applications', 'Precautions', 'References'], ['Honours and awards', 'Works', 'See also', 'References', 'Bibliography'], ['Scope', 'Principles', 'Premises', 'History', 'Theoretical foundations', 'Current squad', 'Recent call-ups', 'Results and fixtures', '2019', '2020', '2021', 'Records', 'FIFA Rankings', 'Most capped players', 'Top goalscorers', 'See also', 'References', 'Title', 'Writing', 'Contents', 'Themes', 'Subsequent history', 'The Commentary of Simplicius', 'Post-retirement', 'Skills', 'Psychological aspects of performance', 'Health issues', 'Life expectancy', 'Head', 'Knee', 'Hip', 'Muscles', 'Sleep and psychological functioning', 'Definition', 'International standardization', 'Stages and lithostratigraphy', 'Sources'], ['Chemical structure', 'See also', 'Notes', 'References', 'Bibliography'], ['Other Flash Crowd stories by Larry Niven', 'Use in other works', 'Other reading', 'Similar references', 'References', 'Definition and origin', 'Causes', 'Shared etymology', 'Homonyms', 'Pseudo-anglicisms', 'Semantic change', 'See also', 'Primary', 'Secondary'], ['Bilateral relations', 'Multilateral relations', 'See also', 'Creative works', 'Private life and public appearances', 'Criticisms and controversies', 'Bibliography', 'Non-Doonesbury publications', 'References'], ['Observation history', 'Milky Way', 'Distinction from other nebulae', 'Modern research', 'Types and morphology', 'Ellipticals', 'Shell galaxy', 'Spirals', 'Barred spiral galaxy', 'Super-luminous spiral', 'Hypernym and hyponym', 'Examples', 'Biological generalization', 'Cartographic generalization of geo-spatial data', 'Mathematical generalizations', 'See also', 'References', 'Life', 'Style', 'Works', 'Legacy', 'Gallery', 'References', 'Notes', 'Sources'], ['Operas', 'First collaborations', 'Thespis', 'Trial by Jury', 'Early successes', 'The Sorcerer', 'H.M.S. Pinafore', 'The Pirates of Penzance', 'Savoy Theatre opens', 'Patience', 'Helium II', 'Isotopes', 'Compounds', 'Occurrence and production', 'Natural abundance', 'Modern extraction and distribution', 'Conservation advocates', 'Applications', 'Controlled atmospheres', 'Gas tungsten arc welding', 'Band history', 'Rise to fame (1991–1993)', 'Same as It Ever Was (1994–1995)', 'Truth Crushed to Earth Shall Rise Again (1996)', 'Split, solo and current affairs (1997–2009)', 'Reunion tours (2010–2011)', 'Death', 'Legacy', 'Historical reputation', 'Memorials', 'Other honors', 'See also', 'Notes', 'References', 'Citations', 'Works cited', 'Bounded vs. continuous operators', 'Hahn-Banach theorem - Linear extensions', 'Proof', 'Applying the Hahn-Banach theorem', 'Deducing continuity', 'Real vs. complex vector spaces and functions', 'Consequences', 'Sublinear functions', 'Normed spaces', 'Hahn-Banach extension property', 'See also', 'Traditional dialects', 'Northernmost dialects and loss of tonality', 'Ghanaian Hausa dialect', 'Other native dialects', 'Non-native Hausa', 'Hausa-based pidgins', 'Phonology', 'Consonants', 'Glottalic consonants', 'Vowels', 'See also', 'References', 'Further reading', 'Etymology', 'Differentiation from continents', 'Types of islands', 'Oceanic islands', 'Tropical islands', 'Artificial islands', 'Others', 'Biological role', 'Dietary intake', 'Deficiency', 'Precautions', 'Toxicity', 'Occupational exposure', 'Allergic reactions', 'US DEA List I status', 'References', 'Idiopathic inflammation', 'Manipulation in medicine', 'Immunosuppression', 'Immunostimulation', 'Vaccination', 'Tumor immunology', 'Predicting immunogenicity', 'Evolution and other mechanisms', 'Evolution of the immune system', 'Alternative adaptive immune system', 'Uses', 'Consumption before plastics', 'Availability', 'Controversy and conservation issues', 'Alternative sources', 'Gallery', 'See also', 'References'], ['Research', 'Later years', 'Personal life', 'In fiction', 'Honors', 'Patents', 'See also', 'References'], ['Early life', 'Training', 'Early career', 'Punch', 'Alice', 'Style', 'Influence of German Nazarenes', 'Later life', 'Personal characteristics', 'Gallery', 'See also', 'References', 'Referenced books', 'Further reading'], ['Collections', 'Electronic editions', 'Brass Balls Award', 'See also', 'References', 'Sources', 'Further reading'], ['Restoration of state Paganism', "Paganism's shift under Julian", 'Juventinus and Maximus', 'Charity', 'Attempt to rebuild the Jewish Temple', 'Ancestry', 'Works', 'Problems regarding authenticity', 'In popular culture', 'Literature', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'Notes'], ['Finance']]



['Wikipedia: West Memphis Three', 'Wikipedia: Expander graph', 'Wikipedia: Erbium', 'Wikipedia: Earthquake', 'Wikipedia: Emperor Kinmei', 'Wikipedia: Friedrich Nietzsche', 'Wikipedia: Franz Kafka', 'Wikipedia: False cognate', 'Wikipedia: Guernsey', 'Wikipedia: Guild', 'Wikipedia: Gia Carangi', 'Wikipedia: GSM', 'Wikipedia: Haakon VII (disambiguation)', 'Wikipedia: Hildegard of Bingen', 'Wikipedia: Iao Valley', 'Wikipedia: IKEA', 'Wikipedia: Infantry fighting vehicle', 'Wikipedia: International Association of Travel Agents Network', 'Wikipedia: Joseph Schumpeter']
[[], ['The crime', 'Victims', 'Early life', 'Early work', 'The French Revolution', 'Post-revolution', 'Napoleon', 'Exile and death', 'Freemasonry', "Medical analysis of David's face", 'Portraiture', 'Shift in attitude', 'Definitions', 'Edge expansion', 'Vertex expansion', 'Spectral expansion', 'Relationships between different expansion properties', 'Cheeger inequalities', 'Characteristics', 'Physical properties', 'Chemical properties', 'Isotopes', 'History', 'Occurrence', 'Early life', 'Zoology', 'Marriage and human medicine', 'Invention of the vaccine', 'Later life', 'Death', 'Religious views', 'Evolved psychological mechanisms', 'Historical topics', 'Products of evolution: adaptations, exaptations, byproducts, and random variation', 'Obligate and facultative adaptations', 'Cultural universals', 'Environment of evolutionary adaptedness', 'Mismatches', 'Research methods', 'Main areas of research', 'Survival and individual-level psychological adaptations', 'Most clean sheets', 'Competitive record', 'FIFA World Cup', 'UEFA European Championship', 'UEFA Nations League', 'Minor tournaments', 'Honours', 'See also', 'References'], ['Naturally occurring earthquakes', 'Earthquake fault types', 'Earthquakes away from plate boundaries', 'Shallow-focus and deep-focus earthquakes', 'Christian adaptations', 'Notes', 'Citations', 'References'], ['FIFA response', 'Lists of players', 'See also', 'References', 'See also', 'Notes', 'References'], ['Conformation', 'Examples', 'Nomenclature', 'Common fat names', 'Chemical fatty acid names', 'IUPAC', 'Fatty acid code', 'Classification', 'By chain length', 'Saturated and unsaturated fats', 'Background', 'Characters', 'Dr. Fu Manchu', 'Sir Denis Nayland Smith and Dr. Petrie', 'Kâramanèh', 'Fah Lo Suee', 'Controversy', 'Cultural impact', 'Name', 'Early years', 'Theory of chemical structure', 'Benzene', "Kekulé's dream", 'Honors', 'See also', 'References', 'References'], ['Phenomenon', 'Life', 'Philosophy', 'Ethics', 'The naturalistic fallacy', 'Open-question argument', 'Good as indefinable', 'Good as a non-natural property', 'Moral knowledge', 'Proof of an external world', "Moore's paradox", 'References'], ['Constitutional status', 'History of guilds', 'Early guild-like associations', 'Post-classical guild', 'Organization', 'Fall of the guilds', 'Influence of guilds', 'Other morphologies', 'Dwarfs', 'Other types of galaxies', 'Interacting', 'Starburst', 'Active galaxy', 'Blazars', 'LINERS', 'Seyfert galaxy', 'Quasar', 'Life and career', '1960–77: Early life', '1978–80: Career beginnings and success', '1980–81: Drug abuse and career decline', '1981–83: Attempted comeback and retirement', 'History', 'Initial development', 'First networks', 'Enhancements', 'Iolanthe', 'Princess Ida', 'Dodging the magic lozenge', 'The Mikado', 'Ruddigore', 'The Yeomen of the Guard', 'The Gondoliers', 'Carpet quarrel', 'Last works', 'Legacy and assessment', 'Minor uses', 'Industrial leak detection', 'Flight', 'Minor commercial and recreational uses', 'Scientific uses', 'Medical uses', 'As a contaminant', 'Inhalation and safety', 'Effects', 'Hazards', '25th Anniversary Tour (2017)', 'Discography', 'References'], ['Further reading', 'Biographies', 'Scholarly studies', 'Primary sources'], ['Characterizations of when extensions exist', 'The extension principle', 'Mazur-Orlicz theorem', 'Geometric Hahn–Banach - Hahn–Banach separation theorems', 'Definitions', 'Characterizations of when separating functionals exist', 'Separating ...', 'Vector subspaces and convex open sets', 'Subsets of a half space', 'Sets', 'Classes and histone variants', 'Structure', 'History', 'Conservation across species', 'Evolutionary origin', 'Function', 'Compacting DNA strands', 'Chromatin regulation', 'Tones', 'Morphology', 'Writing systems', 'Boko (Latin)', 'Ajami (Arabic)', 'Other systems', 'See also', 'References', 'Bibliography'], ['History', 'Construction and principle of operation', 'Sequence of operation', 'Efficiency', 'Drive and delivery pipe design', 'Starting operation', 'Common operational problems', 'Water-powered pump', 'See also', 'References', 'Island superlatives', 'See also', 'References'], ['Bibliography', 'History', 'Store design', 'Manipulation by pathogens', 'History of immunology', 'Theoretical approaches to the immune system', 'Organs', 'See also', 'References'], ['History', 'Early Cold War', 'Late Cold War and post-Soviet period', 'See also', 'References', 'Eye for detail', 'Grotesque', 'Image and text in Alice', 'Book illustrations', 'Retirement and death', 'Legacy', 'Gallery', 'References', 'Bibliography'], ['Early life and education', 'Career', 'Influences', 'Playing career', 'After playing', 'Death', 'Tributes', 'Career statistics', 'Club', 'International', 'Film', 'See also', 'Notes', 'References', 'Citations', 'Ancient sources', 'Modern sources', 'Further reading'], ['Early life', 'Career', 'Early career', 'The Tonight Show', 'Michael Jackson trial', "Succession by Conan O'Brien and The Jay Leno Show", 'Timeslot conflict and return to The Tonight Show', 'Announcement of successor', 'Industries', 'Agriculture', 'Forestry', 'Fishing', 'Mining and minerals', 'Industry and manufacturing', 'Energy', 'Services', 'External trade', 'Investment']]



['Wikipedia: Eureka, Missouri', 'Wikipedia: Frederick III, Holy Roman Emperor', 'Wikipedia: Genus–differentia definition', 'Wikipedia: Giacomo Puccini', 'Wikipedia: Hydrocarbon', 'Wikipedia: History of mathematics', 'Wikipedia: Homininae', 'Wikipedia: Immunology', 'Wikipedia: Insider trading', 'Wikipedia: Jazz', 'Wikipedia: John Sayles', 'Wikipedia: John Cicero, Elector of Brandenburg', 'Wikipedia: Telecommunications in Kyrgyzstan']
[['Steve Edward Branch', 'Christopher Mark Byers', 'James Michael Moore', 'Victims memorial', 'Suspects', 'Baldwin, Echols, and Misskelley', 'Chris Morgan and Brian Holland', '"Mr. Bojangles"', 'Investigation', 'Evidence and interviews', 'Legacy', 'Filmography', 'Gallery', 'See also', 'References', 'Sources', 'Further reading'], ['Constructions', 'Margulis–Gabber–Galil', 'Ramanujan graphs', 'Applications and useful properties', 'Expander mixing lemma', 'Expander walk sampling', 'Expander property of the braingraphs', 'See also', 'Notes', 'References', 'Production', 'Applications', 'Lasers and optics', 'Metallurgy', 'Coloring', 'Others', 'Biological role', 'Toxicity', 'References', 'Further reading', 'Legacy', 'Monuments and buildings', 'Publications', 'See also', 'References', 'Further reading'], ['Consciousness', 'Sensation and perception', 'Learning and facultative adaptations', 'Emotion and motivation', 'Cognition', 'Personality', 'Language', 'Mating', 'Parenting', 'Family and kin', 'History', 'City of Allenton', 'Geography', 'Earthquakes and volcanic activity', 'Rupture dynamics', 'Tidal forces', 'Earthquake clusters', 'Aftershocks', 'Earthquake swarms', 'Intensity of earth quaking and magnitude of earthquakes', 'Frequency of occurrence', 'Induced seismicity', 'Measuring and locating earthquakes', 'Traditional narrative', "Events of Kinmei's life", 'Genealogy', 'Ancestry', 'See also', 'Notes', 'References', 'Life', 'Youth (1844–1868)', 'Professor at Basel (1869–1878)', 'Independent philosopher (1879–1888)', 'Mental illness and death (1889–1900)', 'Citizenship, nationality and ethnicity', 'Relationships and sexuality', 'Composer', 'Philosophy', 'Life', 'Early life', 'Education', 'Employment', 'Private life', 'Personality', 'Political views', 'Judaism and Zionism', 'Death', 'Cis and trans fats', 'Omega number', 'Examples of saturated fatty acids', 'Examples of unsaturated fatty acids', 'Biological importance', 'Adipose tissue', 'Production and processing', 'Nutritional and health aspects', 'Essential fatty acids', 'Saturated vs. unsaturated fats', 'Books', 'In other media', 'Film', 'Television', 'Music', 'Radio', 'Comic strips', 'Comic books', 'See also', 'References', 'Further reading'], ['Early life', '"Mama and papa" type', 'Examples', 'Between English words', 'Between English and other languages', 'Between other languages', 'False cognates used in the coinage of new words', 'See also', 'References', 'Further reading'], ['Organic wholes', 'Works', 'References', 'Further reading'], ['Name', 'History', 'Early history', 'Middle Ages', 'Early modern period', 'Contemporary period', 'Geography', 'Climate', 'Geology', 'Politics', 'Economic consequences', 'Women in guilds', 'Modern', 'Europe', 'India', 'North America', 'Australia', 'In fiction', 'See also', 'Notes', 'Luminous infrared galaxy', 'Properties', 'Magnetic fields', 'Formation and evolution', 'Formation', 'Early galaxies', 'Early galaxy formation', 'Evolution', 'Future trends', 'Larger-scale structures', '1983–86: Later years and death', 'Legacy', 'Designers and brands represented', 'References'], ['Adoption', 'Discontinuation', 'Technical details', 'Network structure', 'Base-station subsystem', 'GSM carrier frequencies', 'Voice codecs', 'Subscriber Identity Module (SIM)', 'Phone locking', 'GSM security', 'Recordings and broadcasts', 'Cultural influence', 'Collaborations', 'Major works and original London runs', 'Parlour ballads', 'Overtures', 'Alternative versions', 'Translations', 'Ballets', 'Adaptations', 'See also', 'Notes', 'References', 'Bibliography'], ['All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Ship disambiguation pages', 'Short description is different from Wikidata', 'Biography', 'Spirituality', 'Monastic life', 'Visions', 'Vita Sanctae Hildegardis', 'Works', 'Visionary theology', 'Scivias', 'Points and sets', 'Closed sets and compact sets', 'Points and disked neighborhoods of 0', 'Generalizations', 'Hahn-Banach theorem for seminorms', 'Hahn-Banach sandwich theorem', 'Maximal linear extension', 'Vector valued Hahn-Banach', 'See also', 'Notes', 'Functions of histone modifications', 'Chemistry of histone modifications', 'Lysine methylation', 'Glutamine serotonylation', 'Arginine methylation', 'Arginine citrullination', 'Lysine acetylation', 'Serine/threonine/tyrosine phosphorylation', 'Functions in transcription', 'Actively transcribed genes', 'Prehistoric', 'Babylonian', 'Egyptian', 'Further reading'], ['History of discoveries and classification', 'Iao Valley State Monument', 'Rainforest', 'History', 'Kepaniwai Park and Heritage Gardens', 'References', 'Further reading', 'Layout', 'Restaurant and food markets', 'Småland', 'Alternative designs', 'Products and services', 'Furniture and homeware', 'Smart home', 'Houses and flats', 'Solar PV systems', 'Furniture rental', 'Classical immunology', 'Clinical immunology', 'Developmental immunology', 'Ecoimmunology and behavioural immunity', 'Immunotherapy', 'Diagnostic immunology', 'Doctrine', 'Design', 'Protection', 'Armament', 'Mobility', 'See also', 'Notes and references', 'Annotations', 'References', 'Illegal', 'Definition of "insider"', 'Liability', 'Misappropriation theory', 'Proof of responsibility', 'Etymology and definition==', 'Elements and issues', 'Improvisation', 'Evolutionary economics', 'History of Economic Analysis', 'Business cycles', 'Keynesianism', 'Demise of capitalism', 'Democratic theory', 'Entrepreneurship', 'Cycles and long wave theory', 'Innovation', 'Personal life', 'Honours', 'Individual', 'Bibliography', 'References'], ['Family and children', 'Rule', 'Ancestry', 'References', 'After The Tonight Show', 'Public image', 'Criticism of Leno', 'Support for Leno', 'Influences', 'Personal life', 'Charity', 'Love Ride', 'Vehicle collection', 'Politics', 'Taxation', 'Macro-economic trend', 'Other statistics', 'See also', 'References'], []]



['Wikipedia: Design Science License', 'Wikipedia: England', 'Wikipedia: Einsteinium', 'Wikipedia: Encyclopædia Britannica', 'Wikipedia: Emperor Bidatsu', 'Wikipedia: Friesland', 'Wikipedia: Fundamental analysis', 'Wikipedia: Firearm', 'Wikipedia: Gradius (video game)', 'Wikipedia: Head of state', 'Wikipedia: Hampshire', 'Wikipedia: Internet troll', 'Wikipedia: IPA', 'Wikipedia: ICQ', 'Wikipedia: Joachim Frederick, Elector of Brandenburg', 'Wikipedia: Jeroboam II']
[['Vicki Hutcheson', 'Trials', "Misskelley's trial", "Echols' and Baldwin's trial", 'Aftermath', 'Criticism of the investigation', 'Appeals and new evidence', "John Mark Byers' knife (1993)", 'Possible teeth imprints (1996–1997)', "Vicki Hutcheson's recantation (2003)", 'References'], ['Textbooks and surveys', 'Research articles', 'Recent Applications'], [], ['History', 'Characteristics', 'Present status', 'Print version', 'Related printed material', 'Optical disc, online, and mobile versions', 'Personnel and management', 'Contributors', 'Interactions with non-kin / reciprocity', 'Strong reciprocity (or "tribal reciprocity")', 'Evolutionary psychology and culture', 'In psychology sub-fields', 'Developmental psychology', 'Social psychology', 'Abnormal psychology', 'Antisocial and criminal behavior', 'Psychology of religion', 'Coalitional psychology', 'Demographics', '2010 census', '2000 census', 'Education', 'News media', 'Notable people', 'References'], ['Effects of earthquakes', 'Shaking and ground rupture', 'Soil liquefaction', 'Human impacts', 'Landslides', 'Fires', 'Tsunami', 'Floods', 'Major earthquakes', 'Prediction', 'Traditional narrative', "Events of Bidatsu's life", 'Genealogy', 'Ancestry', 'Apollonian and Dionysian', 'Perspectivism', 'The "slave revolt" in morals', 'Death of God and nihilism', 'Will to power', 'Eternal return', 'Übermensch', 'Critique of mass culture', 'Reading and influence', 'Reception and legacy', 'Works', 'Stories', 'Novels', 'Publishing history', 'Max Brod', 'Modern editions', 'Unpublished papers', 'Critical response', 'Critical interpretations', 'Translations', 'Cardiovascular disease', 'Cancer', 'Bones', 'Disposition and overall health', 'Monounsaturated vs. polyunsaturated fat', 'Insulin resistance and sensitivity', 'Pregnancy disordes', '"Cis fat" vs. "trans fat"', 'Breast feeding', 'Other health risks'], ['Toponymy', 'History', 'Personality', 'Emperor', 'Marriage and children', 'Death', 'Heraldry', 'Ancestry', 'Notes', 'Sources'], ['The two analytical models', 'Use by different portfolio styles', 'Top-down and bottom-up approaches', 'Differentiation and Abstraction', 'Multiplicity', 'Structure', 'References', 'States of Guernsey', 'Legal system', 'External relations', 'Parishes', 'Economy', 'Infrastructure', 'Transport', 'Business', 'Tourism', 'Taxation', 'References', 'Further reading'], ['Multi-wavelength observation', 'See also', 'Notes', 'References', 'Sources', 'Bibliography'], ['Family and education', 'Early career and first operas', 'Le Villi', 'Edgar', 'Manon Lescaut', 'Middle career', 'La bohème', 'Tosca', 'Standards information', 'GSM open-source software', 'Issues with patents and open source', 'See also', 'References', 'Further reading'], ['See also', 'Notes and references', 'Notes', 'References', 'Sources', 'Further reading'], ['Appreciation societies and performing group links', 'Types', 'Simple hydrocarbons and their variations', 'Usage', 'Reactions', 'Free-radical reactions', 'Substitution', 'Addition reactions', 'Oxidation', 'Constitutional models', 'Standard model', 'Non-executive model', 'Executive model', 'Semi-presidential systems', 'Presidential system', 'Liber Vitae Meritorum', 'Liber Divinorum Operum', 'Music', 'Scientific and medicinal writings', 'Lingua ignota and Litterae ignotae', 'Significance', 'During her lifetime', 'Beatification, canonization and recognition as a Doctor of the Church', 'Modern interest', 'Bibliography', 'References', 'Name', 'History', 'Repressed genes', 'Bivalent promoters', 'Other functions', 'DNA damage', 'DNA repair', 'Chromosome condensation', 'Addiction', 'Histone synthesis', 'Yeast', 'Metazoans', 'Greek', 'Roman', 'Chinese', 'Indian', 'Islamic empire', 'Maya', 'Medieval European', 'Renaissance', 'Mathematics during the Scientific Revolution', '17th century', 'Taxonomic classification', 'Evolution', 'Evolution of bipedalism', 'Brain size evolution', 'Evolution of family structure and sexuality', 'See also', 'Notes', 'Citations', 'References'], ['Usage', 'Origin and etymology', 'In other languages', 'Trolling, identity, and anonymity', 'Corporate, political, and special-interest sponsored trolls', 'Psychological characteristics', 'Other ventures', 'Corporate structure', 'Control by Kamprad', 'Financial information', 'Manufacturing', 'Labour practices', 'Environmental performance', 'Donations made by IKEA', 'IKEA Social Initiative', 'Marketing', 'Cancer immunology', 'Reproductive immunology', 'Theoretical immunology', 'See also', 'References'], ['Features', 'UIN', 'History', 'Development history', 'Trading on information in general', 'Legal', 'United States law', 'Statutory', 'SEC regulations', 'Court decisions', 'By members of Congress', 'Arguments for legalizing', 'Commercialisation', 'Legal differences among jurisdictions', 'Tradition and race', 'Roles of women', 'Origins and early history', 'Blended African and European music sensibilities', 'African rhythmic retention', 'Afro-Cuban influence', 'Ragtime', 'Blues', 'African genesis', 'W. C. Handy: early published blues', 'Later life and death', 'Legacy', 'Major works', 'Books', 'Journal articles', 'Memoriams', 'Reviews', 'See also', 'References', 'Further reading', 'Early life', 'Career', 'Legacy and honors', 'Filmography', 'Writer/director', 'Writer (film)', 'Writer (TV)', 'Actor (film)', 'Biography', 'Legacy', 'Ancestry', 'Filmography', 'Awards and nominations', 'References'], ['Communications policy', 'Telephones', 'Internet', 'Internet censorship and surveillance', 'See also', 'References']]



['Wikipedia: Drum kit', 'Wikipedia: Equation of state', 'Wikipedia: Emperor Yōmei', 'Wikipedia: Fuerteventura', 'Wikipedia: Frasier', 'Wikipedia: Gene Hackman', 'Wikipedia: Garry Kasparov', 'Wikipedia: Garfield', 'Wikipedia: Hierarchical organization', 'Wikipedia: Homo habilis', 'Wikipedia: Impressionism', 'Wikipedia: John Lee Hooker', 'Wikipedia: John Sigismund, Elector of Brandenburg', 'Wikipedia: Transport in Kyrgyzstan']
[['DNA testing and new physical evidence (2007)', 'Foreman and jury misconduct (2008)', 'Request for retrial (2007–2010)', 'Arkansas Supreme Court ruling (2010)', 'Plea deal and release (2011)', 'Family and law enforcement opinions', 'Documentaries, publications and studies', 'Defendants', 'Jessie Misskelley', 'Charles Jason Baldwin', 'History', 'Early development', '20th century', 'Playing', 'Grooves', 'Fills', 'History', 'Prehistory and antiquity', 'Middle Ages', 'Early modern', 'Late modern and contemporary', 'Governance', 'Politics', 'Law', 'Regions, counties, and districts', 'Physical', 'Chemical', 'Isotopes', 'Nuclear fission', 'Natural occurrence', 'Synthesis and extraction', 'Laboratory synthesis', 'Synthesis in nuclear explosions', 'Separation', 'Preparation of the metal', 'Staff', 'Editorial advisors', 'Corporate structure', 'Competition', 'Print encyclopaedias', 'Digital encyclopaedias on optical media', 'Internet encyclopaedias', 'Critical and popular assessments', 'Reputation', 'Awards', 'Reception and criticism', 'Ethical implications', 'Contradictions in models', 'Standard social science model', 'Reductionism and determinism', 'Testability of hypotheses', 'Modularity of mind', 'Cultural rather than genetic development of cognitive tools', 'Response by evolutionary psychologists', 'See also', 'Overview', 'Historical', "Boyle's law (1662)", "Charles's law or Law of Charles and Gay-Lussac (1787)", "Dalton's law of partial pressures (1801)", 'Forecasting', 'Preparedness', 'Historical views', 'Recent studies', 'In culture', 'Mythology and religion', 'In popular culture', 'See also', 'References', 'Sources', 'See also', 'Notes', 'References', 'Works', 'See also', 'References', 'Notes', 'Citations', 'Bibliography', 'Further reading'], ['Translation problems to English', 'Legacy', 'Literary and cultural influence', '"Kafkaesque"', 'Commemorations', 'See also', 'Notes', 'References', 'Citations', 'Sources', 'Biochemical mechanisms', 'Natural "trans fats" in dairy products', 'Official recommendations', 'Regulatory action', 'Alternatives to hydrogenation', 'Omega-three and omega-six fatty acids', 'Interesterification', 'Fat digestion and metabolism', 'See also', 'Further reading', 'Prehistory', 'Early Middle Ages', 'Frisian freedom', 'Modern times', 'Geography', 'Urban areas', 'Municipalities', 'Climate', 'Demography', 'Anthropometry', 'Etymology', 'History', 'Precolonial history', 'The conquest', 'Procedures', 'Automation', 'Criticisms', 'See also', 'References'], ['Types', 'Configuration', 'Handguns', 'Long guns', 'Rifles and shotguns', 'Carbines', 'Machine guns', 'Society', 'Demographics', 'Border control', 'Housing restrictions', 'Education', 'Culture', 'Languages', 'Literature', 'Sport', 'See also', 'Gameplay', 'Development', 'Releases', 'Arcade', 'Famicom/NES', 'MSX', 'PC Engine', 'Other platforms', 'Audio', 'Reception', 'Early life and education', 'Career', 'Beginnings to the 1960s', '1970s', '1980s', '1990s', 'Automobile crash and near death', 'Madama Butterfly', 'Later works', 'La fanciulla del West', 'La rondine', 'Il trittico: Il tabarro, Suor Angelica, and Gianni Schicchi', 'Turandot', 'Puccini and his librettists', 'Puccini at Torre del Lago', 'Marriage and affairs', 'Early career', 'Towards the top', '1984 World Championship', 'World Champion', 'Break with and ejection from FIDE', 'Losing the title and aftermath', 'History', 'Marketing', 'Media', 'Internet', 'Television', 'Origin', 'Abiological hydrocarbons', 'Bioremediation', 'Safety', 'Environmental impact', 'See also', 'References'], ['Single-party states', 'Complications with categorisation', 'Roles', 'Symbolic role', 'Executive role', 'Appointment of senior officials', 'Diplomatic role', 'Military role', 'Legislative roles', 'Summoning and dissolving the legislature', 'Primary sources', 'Other sources', 'See also', 'Notes', 'References', 'Further reading'], ['Prehistory until the Norman Conquest', 'Middle Ages onwards', 'After 1914', 'Geography', 'Geology', 'Natural regions', 'Green belt', 'Hills', 'Rivers', 'Wildlife', 'Link between cell-cycle control machinery and histone synthesis', 'See also', 'References'], ['18th century', 'Modern', '19th century', '20th century', '21st century', 'Future', 'See also', 'Notes', 'References', 'Further reading', 'Taxonomy', 'Research history', 'Classification', 'Concern troll', 'Troll sites', 'Media coverage and controversy', 'Australia', 'India', 'United Kingdom', 'United States', 'Examples', 'See also', 'References', 'Catalogue', 'Advertising', 'IKEA Family', 'IKEA Place app', 'Criticisms', 'Negative media attention', 'Price discrimination', 'Biased branding and advertising accusations', 'Horsemeat meatballs', 'Child deaths', 'Organizations', 'International', 'Australia', 'India', 'United Kingdom', 'United States', 'Other', 'Criticism', 'Cooperation with Russian intelligence services', 'Clients', 'See also', 'References'], ['By nation', 'European Union', 'Norway', 'United Kingdom', 'United States', 'Canada', 'Kuwait', 'China', 'India', 'Australia', 'New Orleans', 'Syncopation', 'Swing in the early 20th century', 'Other regions', 'The Jazz Age', 'Swing in the 1920s and 1930s', 'The influence of Duke Ellington', 'Beginnings of European jazz', 'Post-war jazz', 'Bebop'], ['Early life', 'Earlier career', 'Bibliography', 'Novels', 'Collections and non-fiction', 'Music videos', 'Awards/nominations', 'Films', 'Other recognition', 'Recurring collaborators', 'See also', 'Further reading', 'References', 'Elector of Brandenburg and Duke of Prussia', 'Religious policy', 'History', 'Earthquake in Israel c. 760 BC', 'In the Bible', 'See also', 'References'], ['Railways', 'Rail links with adjacent countries', 'Maps', 'Highways']]



['Wikipedia: Emperor of Japan', 'Wikipedia: Emperor Sushun', 'Wikipedia: Frank Zappa', 'Wikipedia: Fields Medal', 'Wikipedia: Front line', 'Wikipedia: History of Guernsey', 'Wikipedia: Gamemaster', 'Wikipedia: Halogen', 'Wikipedia: Hilversum', 'Wikipedia: Geography of India', 'Wikipedia: Ice beer', 'Wikipedia: International Brigades', 'Wikipedia: January 12', 'Wikipedia: Jackson Pollock', 'Wikipedia: Joan of Arc']
[['Damien Wayne Echols', 'Appeal', 'Retrial request', 'Release', 'See also', 'References', 'Further reading'], ['Drum solos', 'Grip', 'Components', 'Terminology', 'Breakables, shells, extensions, hardware', 'Drums', 'Bass drum', 'Snare drum', 'Toms', 'Other drums', 'Geography', 'Landscape and rivers', 'Climate', 'Nature and wildlife', 'Major conurbations', 'Economy', 'Science and technology', 'Transport', 'Energy', 'Tourism', 'Chemical compounds', 'Oxides', 'Halides', 'Organoeinsteinium compounds', 'Applications', 'Safety', 'References', 'Bibliography'], ['Coverage of topics', 'Criticism of editorial decisions', 'Other criticisms', 'History', 'Editions', '1768–1826', '1827–1901', '1901–1973', '1974–1994', '1994–present', 'Notes', 'References', 'Further reading'], ['Academic societies', 'Journals', 'Videos', 'The ideal gas law (1834)', 'Van der Waals equation of state (1873)', 'General form of an equation of state', 'Classical ideal gas law', 'Cubic equations of state', 'Van der Waals equation of state', 'Redlich-Kwong equation of state===', 'Soave modification of Redlich-Kwong===', 'Volume translation of Peneloux et al. (1982)', 'Peng–Robinson equation of state'], ['Role', 'History', 'Traditional narrative', 'Genealogy', 'Ancestry', 'See also', 'Notes', 'References', '1940s–1960s: early life and career', 'Childhood', 'First musical interests', 'Studio Z', 'Late 1960s: the Mothers of Invention', 'Further reading'], ['Conditions of the award', 'References', 'Etymology', 'Evolution of the concept', 'Economy', 'Culture', 'Languages', 'Sports', 'Politics', 'Transport', 'Literature', 'Media', 'Notes', 'References', 'Colonial Fuerteventura', 'To the present', 'Flag of Fuerteventura', 'Coat of Arms', 'Geography', 'Environment', 'Climate', 'Hydrology', 'Geology', 'Beaches', 'Overview', 'Characters', 'Main', 'Recurring', 'Notes', 'Reunions', 'Production', 'Sniper rifles', 'Submachine guns', 'Automatic rifles', 'Assault rifles', 'Personal defense weapons', 'Battle rifles', 'Function', 'Manual', 'Lever action', 'Pump action', 'References', 'Notes', 'Citations', 'Sources'], ['Legacy', 'Notes', 'References'], ['2000s', 'Retirement from acting', 'Career as a novelist', 'Personal life', 'Theatre credits', 'Filmography', 'Film', 'Television', 'Accolades', 'Works or publications', 'Politics', 'Death', 'Style and critical reception', 'Works', 'Centres for Puccini Studies', 'Notes', 'References', 'Sources'], ['Retirement from chess', 'Post-retirement chess', 'Candidate for FIDE presidency', 'Return from retirement', 'Politics', '1980s', '1990s', '2000s', '2010s', 'Views', 'TV series', 'Primetime specials', 'Films', 'Video games', 'Stage', 'Comic book', 'Art book', 'Restaurant', 'Main characters', 'Garfield', 'History', 'Etymology', 'Characteristics', 'Chemical', 'Molecules', 'Other prerogatives', 'Granting titles and honours', 'Immunity', 'Reserve powers', 'Right of pardon', 'Official title', 'Historical European perspectives', 'Interim and exceptional cases', 'Shared head of multiple states', 'Commonwealth realms', 'Town', 'Broadcasting', 'International', 'History', 'Culture', 'Transport', 'Climate', 'Settlements', 'Demographics', 'Population', 'Ethnicity and religion', 'Politics', 'Parliament', 'Emergency services', 'Economy', 'Transport', 'Visualization', 'Common models', 'Studies', 'Criticism and alternatives', 'See also', 'References', 'General', 'Books on a specific period', 'Books on a specific topic'], ['Documentaries', 'Educational material', 'Bibliographies', 'Organizations', 'Journals', 'Anatomy', 'Culture', 'Society', 'Diet', 'Technology', 'See also', 'References'], ['Further reading'], ['Trolling advocacy and safety', 'Background and definitions', 'Academic and debate', 'Claims of ideological and religious discrimination', 'Operation Scandinavica', 'Little transparency in supply chain and possible illegal timber', 'Involvement of IKEA founder with Nazi sympathizer', 'IKEA in fiction', 'References'], ['Science and technology', 'Chemistry', 'Computing', 'Other uses', 'Overview', 'Beginnings', 'Impressionist techniques', 'Content and composition', 'Women Impressionists', 'Main Impressionists', 'Gallery', 'Philippines', 'See also', 'Notes', 'References'], ['Afro-Cuban jazz (cu-bop)', 'Machito and Mario Bauza', 'Dizzy Gillespie and Chano Pozo', 'African cross-rhythm', 'Dixieland revival', 'Hard bop', 'Modal jazz', 'Free jazz', 'Free jazz in Europe', 'Latin jazz', 'Later career', 'Awards and recognition', 'Grammy Awards', 'Discography', 'Charting singles', 'Charting albums', 'Film', 'References'], ['References'], ['Events', 'Family and children', 'Ancestry', 'References'], ['Background', 'Biography', 'Rise', 'Military campaigns', 'Capture', 'Trial', 'Pipelines', 'Waterways', 'Ports and waterways', 'Airports', 'See also', 'References'], []]



['Wikipedia: Donald Dewar', 'Wikipedia: Edmund Stoiber', 'Wikipedia: Languages of Europe', 'Wikipedia: FIFA', 'Wikipedia: Feminist science fiction', 'Wikipedia: Gregor Mendel', 'Wikipedia: Gramophone (disambiguation)', 'Wikipedia: Harry Secombe', 'Wikipedia: HSK', 'Wikipedia: Harmonica', 'Wikipedia: Iridium', 'Wikipedia: Identity element', 'Wikipedia: June 23', 'Wikipedia: John Digweed', 'Wikipedia: Armed Forces of the Kyrgyz Republic']
[['Biography', 'Member of Parliament', 'Out of parliament', 'Return to Westminster', 'Opposition', 'Cymbals', 'Ride cymbal', 'Hi-hats', 'Crashes', 'Other cymbals', 'Effects cymbals', 'Accent cymbals', 'Low-volume cymbals', 'Other acoustic instruments', 'Electronic drums', 'Healthcare', 'Demography', 'Population', 'Language', 'Religion', 'Education', 'Culture', 'Architecture', 'Gardens', 'Folklore', 'Early life', 'Education and profession', 'Political career', 'Minister-President of Bavaria, 1993–2007', 'Dedications', 'Edition summary', 'See also', 'Notes', 'References', 'Further reading'], ['Indo-European languages', 'Romance', 'Germanic', 'German and Low Franconian', 'Anglo-Frisian', 'North Germanic (Scandinavian)', 'Peng–Robinson-Stryjek-Vera equations of state', 'PRSV1', 'PRSV2', 'Elliott, Suresh, Donohue equation of state', 'Cubic-Plus-Association', 'Non-cubic equations of state', 'Dieterici equation of state', 'Virial equations of state', 'Virial equation of state', 'The BWR equation of state', 'Origin', 'Factional control', 'Disputes', 'Territorial matters', 'Shōguns', 'Meiji Restoration', 'World War II', 'Current constitution', 'Education', 'Addressing and naming', 'Traditional narrative', 'Genealogy', 'Ancestry', 'See also', 'Notes', 'References', 'Formation', 'Debut album: Freak Out!', 'New York period (1966–1968)', 'Disbandment', '1970s', 'Rebirth of the Mothers and filmmaking', 'Accident, attack, and aftermath', 'Top 10 album: Apostrophe ()', 'Business breakups and touring', 'Independent label', 'Fields medalists', 'Landmarks', 'Medal', 'Female recipients', 'See also', 'Notes', 'References', 'Further reading'], ['See also', 'References'], [], ['History', 'Early modern England', 'Wildlife', 'Natural symbols', 'Demographics', 'Population', 'Education', 'State administration', 'Island Council of Fuerteventura (Cabildo)', 'Municipalities', 'Economy', 'Tourism', 'Creation', 'Casting', 'Sets and settings', 'Filming', 'Credits', 'Revival', 'Relationship to Cheers', 'Reception', 'Critical reaction', 'Awards', 'Semi-automatic', 'Automatic', 'Selective fire', 'History', 'Evolution', 'Early models', 'Fire lances', 'Hand cannons', 'Muskets', 'Loading techniques', 'Prehistory', 'Early history', 'The arrival of Christianity', 'The Duchy of Normandy', 'The Reformation', 'Early modern history', 'Civil War', '17th and 18th trade and emigration', 'History and variants of the term', 'In traditional table-top role-playing games', 'The four major "hats"', 'In online games', 'In pervasive games', 'Gamemasters in online chat environments', 'See also', 'References'], ['References'], ['Life and career', 'Businesses', 'Other uses', 'See also', 'Human Rights Foundation', 'Playing style', 'Olympiads and other major team events', 'Records and achievements', 'Chess ratings achievements', 'Other records', 'Chess and computers', 'Books and other writings', 'Early writings', 'My Great Predecessors series', 'Jon Arbuckle', 'Odie', 'Dr. Liz Wilson', 'Recurring subjects and themes', 'Short storylines', 'Paws, Inc.', '2010 Veterans Day controversy', 'Bibliography', 'Primary sources', 'Secondary sources', 'Diatomic halogen molecules', 'Compounds', 'Hydrogen halides', 'Metal halides', 'Interhalogen compounds', 'Organohalogen compounds', 'Polyhalogenated compounds', 'Reactions', 'Reactions with water', 'Physical and atomic', 'Religious heads of state', 'Christianity', 'Islam', 'Hinduism', 'Buddhism', 'Multiple or collective heads of state', 'Legitimacy', 'By fiction or fiat', 'By divine appointment', 'By social contract', 'Railway', 'Public buses', 'Local bus lines', 'Regional bus lines', 'Local government', 'Notable residents', 'Public service & public thinking', 'The Arts', 'Science & Business', 'Sport', 'Air', 'Sea', 'Rail', 'Road', 'Inland waterways', 'Education', 'Health', 'Culture, arts and sport', 'Flag', 'Music', 'Early life', 'Army service', 'As an entertainer', 'Later career', 'Honours', 'Later life and death', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Parts', 'Comb', 'Reed plate', 'Cover plates', 'Wind-savers', 'Geological development', 'Political geography', 'Physiographic regions', 'Cratons', 'Regions', 'The Himalayas', 'The Peninsular Plateau', 'Indo-Gangetic plain', 'Characteristics', 'Physical properties', 'Chemical properties', 'Compounds', 'Isotopes', 'History', 'History', 'Characteristics and regulation', 'See also', 'References'], ['Timeline: Lives of the Impressionists', 'Associates and influenced artists', 'Beyond France', 'Sculpture, photography and film', 'Music and literature', 'Post-Impressionism', 'See also', 'Notes', 'References'], ['Formation and recruitment', 'Service', 'First engagements: Siege of Madrid', 'Battle of Jarama', 'Battle of Guadalajara', 'Other battles', 'Casualties', 'Disbandment', 'Afro-Cuban jazz renaissance', 'Afro-Brazilian jazz', 'African-inspired', 'Rhythm', 'Pentatonic scales', 'Sacred and liturgical jazz', 'Jazz fusion', "Miles Davis' new directions", 'Psychedelic-jazz', 'Weather Report', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['Early life (1912–1936)', 'Career (1936–1954)', 'Drip period', 'Lee Krasner and Jackson Pollock', 'Later years and death (1955–1956)', 'Artistry', 'Influence and technique', 'From naming to numbering', 'Critical debate', 'Cross-dressing charge', 'Execution', 'Posthumous events', 'Retrial', 'Canonization', 'Legacy', 'Visions', 'Alleged relics', 'Revisionist theories', 'Footnotes', 'History', 'Army', 'Conscription', 'Equipment', 'Armor', 'Special Forces']]



['Wikipedia: Endometrium', 'Wikipedia: Empress Suiko', 'Wikipedia: The Trial', 'Wikipedia: Genetic engineering', 'Wikipedia: George Cukor', 'Wikipedia: Graham Chapman', 'Wikipedia: The Hound of Heaven', 'Wikipedia: Hydrogen atom', 'Wikipedia: Internet slang', 'Wikipedia: Satires (Juvenal)']
[['In government', 'First Minister of Scotland', 'Death and funeral', 'Controversies', 'Legacy', 'References', 'Sources'], ['Virtual drums', 'Hardware', 'Common configurations', 'Three-piece', 'Four-piece', 'Four piece with floor tom', 'Four piece with two hanging toms', 'Five-piece', 'Small kits', 'Extended kits', 'Cuisine', 'Visual arts', 'Literature, poetry, and philosophy', 'Performing arts', 'Cinema', 'Museums, libraries, and galleries', 'Sport', 'National symbols', 'See also', 'Notes', 'Candidate for Chancellor, 2002', 'Later political career', 'Life after politics', 'Political positions', 'Foreign policy', 'European integration', 'Economic policy', 'Domestic policy', 'Media policy', 'Controversies', 'Structure', 'Gene and protein expression', 'Microbiome speculation', 'Function', 'Cycle', 'Diseases related with endometrium', 'Slavic', 'Other', 'Non-Indo-European languages', 'Uralic', 'Turkic', 'History of standardization', 'Language and identity, standardization processes', 'Lingua franca', 'Linguistic minorities', 'Scripts', 'Lee-Kesler equation of state', 'SAFT equations of state', 'Multiparameter equations of state', 'Helmholtz Function form', 'Other equations of state of interest', 'Stiffened equation of state', 'Ultrarelativistic equation of state', 'Ideal Bose equation of state', 'Jones–Wilkins–Lee equation of state for explosives (JWL equation)', 'Equations of state for solids and liquids', 'Origin of the title', 'Marriage traditions', 'Three Sacred Treasures', 'Succession', 'Current status', 'Burial traditions', 'Wealth', 'See also', 'References'], ['Traditional narrative', 'Life', 'Spouse and Children', 'Ancestry', 'Producing', '1980s–1990s', '"Valley Girl" and classical performances', 'Synclavier', 'Digital medium and last tour', 'Health deterioration', 'Death', 'Musical style and development', 'Genres', 'Influences', 'Plot', 'Characters', 'Interpretation', 'Relations to other texts by Kafka', 'History', 'Flag', 'Anthem', 'Presidency', 'Structure', 'Six confederations and 211 national associations', 'Laws and governance', 'Administrative cost', 'Governance', 'Discipline of national associations', 'First-wave feminism (suffrage)', 'Between the wars', 'Post World War II', 'Second-wave feminism', '1980s onwards', 'Recurrent themes', 'Utopian and dystopian societies', 'Representation of women', 'Gender identity', 'Comic books and graphic novels', 'Art and culture', 'Traditional holidays', 'Concerts and festivals', 'Auditoriums', 'Central library', 'Museums and exhibition spaces', 'Sculpture park', 'Main sights', 'Food', 'Sport', 'Fandom and cultural impact', 'Books', 'Merchandising', 'Home media', 'References', 'Further reading'], ['Internal magazines', 'Detachable magazines', 'Belt-fed weapons', 'Firing mechanisms', 'Matchlock', 'Wheellock', 'Flintlock', 'Percussion cap', 'Cartridges', 'Repeating, semi-automatic, and automatic firearms', '19th century', '20th century', 'World War I', 'World War II', 'Post-war', 'See also', 'Further reading', 'References', 'Overview', 'History', 'Process', 'Contributions', 'Experiments on plant hybridization', "Initial reception of Mendel's work", 'Other experiments', "Rediscovery of Mendel's work", 'Mendelian paradox', 'Bibliography', 'See also', 'References', 'Sources', 'Early life', 'Early Hollywood career', 'Later Hollywood career', 'Personal life', 'Modern Chess series', 'Garry Kasparov on Garry Kasparov series', 'Winter Is Coming', 'Historical revision', 'Other post-retirement writing', 'Bibliography', 'Videos', 'See also', 'References', 'Further reading', 'References'], ['Early life and education', 'Isotopes', 'Production', 'Applications', 'Disinfectants', 'Lighting', 'Drug components', 'Biological role', 'Toxicity', 'Superhalogen', 'See also', 'By constitution', 'By hereditary succession', 'By election', 'By appointment', 'By force or revolution', 'By foreign imposition', 'Loss', 'Former heads of state', 'Personal influence or privileges', 'See also', 'Gallery', 'See also', 'References'], ['Museums', 'Annual events', 'Buildings and protected monuments', 'Sport', 'Media', 'Television', 'Radio', 'Press', 'Notable people', 'See also', 'Family', 'Selected works', 'Singles', 'Albums', 'Books', 'Fiction', "Children's", 'Autobiographical', 'Partial Filmography', 'References', 'Short description is different from Wikidata', 'Isotopes', 'Hydrogen ion', 'Mouthpiece', 'Accessories', 'Amplification devices', 'Rack or holder', 'Harmonica types', 'Chromatic harmonica', 'Diatonic harmonicas', 'Tremolo-tuned harmonica', 'Orchestral harmonicas', 'Orchestral melody harmonica', 'Thar Desert', 'Coastal plains and ghats', 'Islands', 'Natural resources', 'Ecological resources', 'Water bodies', 'Wetlands', 'Economic resources', 'Renewable water resources', 'Mineral oil', 'Platinum group', 'Discovery', 'Metalworking and applications', 'Occurrence', 'Cretaceous–Paleogene boundary presence', 'Production', 'Applications', 'Industrial and medical', 'Scientific', 'Historical', 'Definitions', 'Examples', 'Properties', 'See also', 'Notes and references', 'Bibliography', 'Further reading', 'Creation and evolution', 'Origins', 'In pop culture', 'Composition', 'Overview', 'Non-Spanish battalions', 'Brigadistas by country of origin', 'Status after the war', 'East Germany', 'Canada', 'Switzerland', 'United Kingdom', 'United States', 'Jazz-rock', 'Jazz-funk', 'Traditionalism in the 1980s', 'Smooth jazz', 'Acid jazz, nu jazz, and jazz rap', 'Punk jazz and jazzcore', 'M-Base', '1990s–present', 'See also', 'Notes', 'References'], ['Manuscript tradition', 'Biography', 'Discography', 'Compilation albums', 'Singles', 'DJ Magazine Top 100 rankings', 'DVD', 'References'], ['Works', 'Legacy', 'Impact', 'In pop culture and media', 'Art market', 'Authenticity issues', 'Fractal computer analysis', 'Archives', 'List of major works', 'References', 'See also', 'People who knew Joan of Arc', 'Other 15th century people associated with her', 'Other women with a role in the Hundred Years War', 'People compared to Joan of Arc', 'Miscellaneous', 'References', 'Further reading', 'Biographies', 'Historiography and memory', 'Subordinated to the Ministry of Defence', 'National Guard Special Forces', 'State Committee for National Security', 'Ministry of the Interior', 'Air Force', 'Military education', 'Training centers', 'High schools', 'Kyrgyz State Medical Academy Faculty', 'References and links']]



['Wikipedia: Erfurt', 'Wikipedia: Eindhoven University of Technology', 'Wikipedia: The Metamorphosis', 'Wikipedia: Fellatio', 'Wikipedia: Fairmount, Indiana', 'Wikipedia: Functional decomposition', 'Wikipedia: George Washington', 'Wikipedia: Guinea', 'Wikipedia: Gettysburg Address', 'Wikipedia: Gas mask', 'Wikipedia: Gustav Radbruch', 'Wikipedia: Gray whale', 'Wikipedia: Hee Haw', 'Wikipedia: Elagabalus', 'Wikipedia: Hops', 'Wikipedia: Demographics of India', 'Wikipedia: International Phonetic Alphabet', 'Wikipedia: Regular icosahedron', 'Wikipedia: Impi', 'Wikipedia: Iron Duke', 'Wikipedia: Joseph (disambiguation)', 'Wikipedia: Janus kinase', 'Wikipedia: Kool Keith']
[['Films', 'Distribution and localization', 'International', 'Manga', 'Yuen Wong Yu manhua', 'Dark Horse', 'Panini', 'Video games', 'Card game', 'References', 'Drum screen', 'Carpets', 'Practice equipment', 'Tuning equipment', 'Notation and improvisation', 'Recording', 'Drum manufacturers', 'See also', 'People', 'Styles and techniques', 'History', 'Background', 'Preliminary (19451957)', 'Treaty of Rome (19571992)', 'Maastricht Treaty (19922007)', 'Lisbon Treaty (2007present)', 'Demographics', 'Population', 'Urbanisation', 'Languages', 'Origins: late 19th century to early 20th century', 'Early compositions', 'Recording experiments', 'Development: 1940s to 1950s', 'Electroacoustic tape music', 'Musique concrète', 'Elektronische Musik', 'Japanese electronic music', 'History', 'Strategic Vision 2020', 'Organization', 'Executive college', 'Name', 'Structure', 'Summary', 'Composition', 'Title, date and author', 'Genre and setting', 'Canonicity', 'Themes', 'Judaism', 'Catholicism', 'Before the 4th Crusade', 'Latin emperors', 'After the 4th Crusade', 'Ottoman Empire', 'Holy Roman Empire', 'Austrian Empire', 'Emperors of Europe', 'Bulgaria', 'France', 'First French Empire', 'Traditional narrative', "Events in Kōgyoku's reign", "Events in Saimei's reign", 'Kugyō', 'Spouses and Children', 'Popular culture', 'Ancestry', 'See also', 'Notes', 'References', 'Acclaim and honors', 'Grammy Awards', 'Artists influenced by Zappa', 'References in arts and sciences', 'Discography', 'See also', 'Notes', 'References', 'Bibliography'], ['Plot', 'Characters', 'Gregor Samsa', 'Guilty pleas', 'Indictments and arrests', '2018 and 2022 World Cup bids', '2011 FIFA presidential election', 'Response to allegations', '2018 revision of code of ethics', 'See also', 'Notes', 'References', 'Further reading', 'Etymology', 'Practice', 'General', 'Ingestion of semen', 'Other sports', 'People', 'See also', 'References'], ['Basic mathematical definition', 'Example: Arithmetic', 'Example: Decomposition of continuous functions', 'Motivation for decomposition', 'Philosophical considerations', 'South Africa', 'International treaties', 'See also', 'References', 'Sources', 'Administrative divisions', 'European Parliament', 'See also', 'References', 'In popular culture', 'See also', 'References', 'Further reading'], ['Use', 'Stand-up grappling', 'Ground grappling', 'Applications', 'Types of grappling', 'ADCC', 'Mundials', 'United World Wrestling', 'NAGA', 'GRiND', 'Principles of construction', 'Safety of old gas masks', 'Filter classification', 'Use', 'See also', 'References'], ['References', 'Bibliography'], ['Website home page', 'Browser home page', 'References', 'Overview', 'Relation to theory of evolution', 'History', 'Gregor Mendel: father of genetics', 'Modern development of genetics and heredity', 'Common genetic disorders', 'Types', 'Dominant and recessive alleles', 'Foundations', 'Precursors', 'Information theory', 'Semiconductor technology', 'Development of wide area networking', 'Inspiration', 'Development of packet switching', 'Software', 'Scientific rigor', 'Representative works', 'Anthologies', 'Short stories', 'Novels', 'Films', 'Television', 'Anime / Manga', 'Visual novels', 'Medical uses', 'Maintenance therapy', 'Routes of administration', 'By mouth', 'Injection', 'Smoking', 'Insufflation', 'Suppository', 'Adverse effects', 'Short term effects', 'Features going beyond the Schrödinger solution', 'Alternatives to the Schrödinger theory', 'See also', 'References', 'Books'], ['The harmonica in Hong Kong and Taiwan', 'Medical use', 'Related instruments', 'References'], ['History', 'Prehistory to early 19th century', 'Late 19th century to early 20th century', 'Salient features', 'Comparative demographics', 'List of states and union territories by demographics', 'Computing', 'Other', 'Borderline cases', 'See also', 'Notes', 'References'], ['Genesis of the impi', 'Limited nature of early tribal warfare', 'People', 'Ships', 'Trains', 'Youth', 'Writer', 'Maturity', 'Epitaph', 'Works', 'Major prose works', 'Essays, tracts, pamphlets, periodicals', 'Poems', 'Correspondence, personal writings', 'Sermons, prayers', 'Satire VII: Fortuna (or the Emperor) is the Best Patron', 'Satire VIII: True Nobility', 'Satire IX: Flattering your Patron is Hard Work', 'Book IV', 'Satire X: Wrong Desire is the Source of Suffering', 'Satire XI: Dinner and a Moral', 'Satire XII: True Friendship', 'Book V (incomplete)', 'Satire XIII: Don’t Obsess over Liars and Crooks', 'Satire XIV: Avarice is not a Family Value', 'Filmography', 'Film', 'Television', 'Awards and nominations', 'References'], ['Acting career', 'Chinese films', 'American/Western films', 'Personal life', 'Views on life and martial arts', 'Philanthropy', 'Taiji Zen', 'Filmography', 'Awards and nominations', 'See also', 'References', 'Family', 'Functions', 'Bilateral relations', 'See also', 'References'], []]



['Wikipedia: David Beatty, 1st Earl Beatty', 'Wikipedia: Dying Earth', 'Wikipedia: Ezekiel', 'Wikipedia: Emperor Kōtoku', 'Wikipedia: Fagales', 'Wikipedia: List of presidents of FIFA', 'Wikipedia: George Mason University', 'Wikipedia: Gate', 'Wikipedia: List of historical drama films and series set in Near Eastern and Western civilization', 'Wikipedia: Handloading', 'Wikipedia: Food irradiation', 'Wikipedia: Jello Biafra', 'Wikipedia: Jean Cocteau', 'Wikipedia: Jacopo Amigoni', 'Wikipedia: Jacob Grimm']
[[], ['Family and childhood', 'Early career', 'Other', 'References'], ['Religion', 'Member states', 'Geography', 'Politics', 'European Parliament', 'European Council', 'European Commission', 'Council of the European Union', 'Budget', 'Competences', 'American electronic music', 'Columbia-Princeton Center', 'Australia', 'Mid-to-late 1950s', 'Expansion: 1960s', 'Computer music', 'Stochastic music', 'Live electronics', 'Japanese instruments', 'Jamaican dub music', 'Oversight of the executive college', 'Departments and service organizations', 'TU/e Holding B.V.', 'Education', 'Departments', 'Honors programs', 'Postgraduate doctorate of engineering (PDEng)', 'Other educational programs', 'Research', 'Top in research partnerships with industry', 'Influence on Western literature', 'See also', 'Citations', 'References'], ['Elba', 'Second French Empire', 'Iberian Peninsula', 'Spain', 'Portugal', 'Great Britain', 'England', 'United Kingdom', 'German Empire', 'Russia', 'Traditional narrative', 'Kugyō', "Eras of Kōtoku's reign", 'Systematics', 'References'], ['Grete Samsa', 'Mr. Samsa', 'Mrs. Samsa', 'The Charwoman', 'Interpretation', 'Translation', 'Editions', 'In English', 'In the original German', 'In popular culture'], ['Presidents of FIFA', 'Timeline', 'Deep-throating', 'Other aspects', 'Health aspects', 'Sexually transmitted infections', 'HPV and oral cancer link', 'Pregnancy and semen exposure', 'Cultural views', 'Virginity', 'Legality', 'Tradition', 'Geography', 'Demographics', '2010 census', '2000 census', 'History', 'Education', 'Notable people', 'References', 'Reductionist tradition', 'Characteristics of hierarchy and modularity', 'Inevitability of hierarchy and modularity', 'Applications', 'Knowledge representation', 'Database theory', 'Machine learning', 'Software architecture', 'Signal processing', 'Systems engineering', 'Early life (1732–1752)', 'Colonial military career (1752–1758)', 'French and Indian War', 'Marriage, civilian, and political life (1759–1775)', 'Opposition to British Parliament', 'Commander in chief (1775–1783)', 'Siege of Boston', 'Battle of Long Island', 'Name', 'History', 'West African empires and Kingdoms in Guinea', 'Colonial era', 'Independence and post-colonial rule (1958–2008)', 'Recent history', 'Government and politics', 'Political culture', 'Executive branch', 'Background', 'Program and Everett\'s "Gettysburg Oration"', 'Text of the Gettysburg Address', "Lincoln's sources", 'Five manuscripts', 'Nicolay copy', 'Hay copy', 'Everett copy', 'See also', 'References', 'Other sources', 'Reaction and exchange', 'History and development', 'Early breathing devices', 'First World War', 'Second World War', 'Modern mask', 'In schools', 'See also', 'Notes', 'Bibliography', 'Life', 'Work', 'References', 'Further reading'], ['Taxonomy', 'Description', 'Pacific groups', 'Populations', 'North Pacific', 'North Atlantic', 'Prewhaling abundance', 'Integration and recolonization', 'Life history', 'Reproduction', 'History', 'Creation', 'On CBS', 'In syndication', 'Reruns', 'Cast members', 'Recurring sketches and segments', 'Musical legacy', 'Guest stars', 'Stage settings', 'See also', 'References'], ['Networks that led to the Internet', 'NPL network', 'ARPANET', 'Merit Network', 'CYCLADES', 'X.25 and public data networks', 'UUCP and Usenet', 'Merging the networks and creating the Internet (1973–95)', 'TCP/IP', 'From ARPANET to NSFNET', 'See also', 'Notes', 'References', 'Further reading'], ['Long term effects', 'Withdrawal', 'Overdose', 'Pharmacology', 'Chemistry', 'History', 'Society and culture', 'Names', 'Legal status', 'Asia', 'Family and priesthood', 'Rise to power', 'Emperor (218–222)', 'Journey to Rome and political appointments', 'Religious controversy', 'Marriages, sexuality and gender', 'Fall from power', 'History', 'World production', 'Cultivation and harvest', 'Migrant labor and social impact', 'Chemical composition', 'Alpha acids', 'Beta acids', 'Essential oils', 'Religious demographics', 'Neonatal and infant demographics', 'Population within the age group of 0–6', 'Population above the age of 7', 'Literacy rate', 'Linguistic demographics', 'Vital statistics', 'UN estimates', 'Census of India: sample registration system', 'Life expectancy', 'History', 'Description', 'Letter forms', 'Typography and iconicity', 'Brackets and transcription delimiters', 'Cursive forms', 'Letter g', 'Modifying the IPA chart', 'Usage', 'Dimensions', 'Area and volume', 'Cartesian coordinates', 'Spherical coordinates', 'Orthogonal projections', 'Spherical tiling', 'Other facts', 'Construction by a system of equiangular lines', 'Symmetry', 'Rise of Dingiswayo', 'Ascent and innovations of Shaka', 'Weapons and shields', 'Logistics', 'Age-grade regimental system', 'Mobility, training and insignia', 'Tactics', 'Organisation and leadership of the Zulu forces', 'Summary of the Shakan reforms', 'The Impi in battle', 'Other uses', 'See also', 'Uses', 'Miscellany', 'Legacy', 'See also', 'Notes', 'References'], ['Satire XV: People without Compassion are Worse than Animals', 'Satire XVI: Soldiers are above the Law', 'Notes', 'References'], ['Religion', 'Places', 'United States', 'Arts and entertainment', 'Other uses', 'See also', 'References', 'Further reading'], ['Clinical significance', 'Structure', 'References', 'History', 'Ultramagnetic MCs (1984–1993)', 'Dr. Octagon debuts (1995–1996)', 'Further releases (1997–1999)', 'Collaborations (2000–2001)', 'Second Dr. Octagon album (2002–2004)', 'Further collaborations and solo albums (2002 onward)', 'Lyrical and performance style', 'Discography']]



['Wikipedia: Emperor Tenji', 'Wikipedia: Fabales', 'Wikipedia: FSF', 'Wikipedia: Fascism', 'Wikipedia: Fatwa', 'Wikipedia: Epistles to the Thessalonians', 'Wikipedia: Franz Boas', 'Wikipedia: George Frideric Handel', 'Wikipedia: Jacob', 'Wikipedia: Jean-François Millet', 'Wikipedia: Kurt Cobain']
[['Sudan Campaign', 'Boxer Rebellion', 'Marriage', 'Advancement', 'First World War', 'First Sea Lord', 'Retirement and death', 'Assessment', 'Honours and awards', 'British', 'Setting', 'Origins', 'Series', 'Stories by Vance', 'Sequels', 'Translations', 'Legacy', 'Print', 'Role-playing', 'See also', 'Legal system and justice', 'Court of Justice of the European Union', 'Fundamental rights', 'Acts', 'European Ombudsman', 'Home affairs and migration', 'Foreign relations', 'Security and Defence', 'Humanitarian aid', 'International cooperation and development partnerships', 'Late 1960s to early 1980s', 'Rise of popular electronic music', 'Keyboard synthesizers', 'Digital synthesis', 'IRCAM, STEIM, and Elektronmusikstudion', 'Birth of MIDI', 'Sequencers and drum machines', 'Chiptunes', 'Late 1980s to 1990s', 'Rise of dance music', 'Off-campus activities', 'Economic and research motor', 'Eindhoven Energy Institute', 'International cooperation and appeal', 'Technological sports', 'Service organizations', 'Distinguished alumni', 'Distinguished and otherwise notable faculty', 'Notable honors for research done at the university', 'Rankings', 'Life', 'Living in Babylon', 'Prophetic career', 'World views', 'Jewish tradition', 'Christianity', 'Islamic tradition', 'Bibliography', 'Serbia', 'Emperors in the Americas', 'Pre-Columbian traditions', 'Aztec Empire', 'Inca Empire', 'Post-Columbian Americas', 'Brazil', 'Haiti', 'Mexico', 'Persia (Iran)', 'Consorts and children', 'Ancestry', 'See also', 'Notes', 'References', 'Distribution', 'Gallery', 'References', 'References'], ['Arts and entertainment', 'See also', 'References', 'Etymology', 'Other animals', 'See also', 'References'], ['All article disambiguation pages', 'All disambiguation pages', 'See also', 'Notes', 'References', 'Crossing the Delaware, Trenton, and Princeton', 'Brandywine, Germantown, and Saratoga', 'Valley Forge and Monmouth', 'West Point espionage', 'Southern theater and Yorktown', 'Demobilization and resignation', 'Early republic (1783–1789)', 'Return to Mount Vernon', 'Constitutional Convention of 1787', 'First presidential election', 'Legislative branch', 'Foreign relations', 'Military', 'Geography', 'Regions and prefectures', 'Wildlife', 'Taxonomy', 'Economy', 'Natural resources', 'Mining', 'Bancroft copy', 'Bliss copy', 'Others', 'Contemporary sources and reaction', 'Audio recollections', 'Photographs', 'Usage of "under God"', 'Platform location', 'Pre-modern', 'Photo analysis', 'History', 'Timeline from center to college then university', 'University of Virginia (1949–1972)', 'George Mason University (1972–present)', 'Campuses', 'Fairfax', 'Transportation', 'George Mason statue', 'Arlington', 'Science and Technology'], ['Early years', 'Family', 'Types', 'Image gallery', 'See also', 'References'], ['Feeding', 'Migration', 'Eastern Pacific population', 'Resident groups', 'Western population', 'Recent migration in Asian waters', 'Whaling', 'Eastern population', 'Conservation', 'Rewilding proposal', 'Elvis connection', 'Hee Haw Honeys (spin-off series)', 'Hee Haw Theater', 'Comic book adaptations', 'Broadcast history and Nielsen ratings', 'Legacy', 'Footnotes', 'References'], ['Films set in prehistoric era', 'Films set in ancient era (3000–500 BC)', 'Films set in classical era (500 BC–600 AD)', 'Films set in medieval era (600–1500)', 'Early middle ages (7th–10th centuries)', 'Films set in 11th century', 'Films set in 12th century', 'Films set in 13th century', 'Films set in 14th century', 'Films set in 15th century', 'Transition towards the Internet', 'TCP/IP goes global (1980s)', 'CERN, the European Internet, the link to the Pacific and beyond', 'The early global "digital divide" emerges', 'Africa', 'Asia and Oceania', 'Latin America', 'Rise of the global Internet (late 1980s/early 1990s onward)', 'World Wide Web and introduction of browsers', 'Use in wider society 1990s to early 2000s (Web 1.0)', 'Reasons for handloading', 'Equipment', 'Presses', 'Shotshell presses', '.50 BMG and larger cartridge presses', 'Dies', 'Shellholders', 'Scale', 'Europe', 'Australia', 'North America', 'Turkey', 'Abuse of prescription medication', 'Economics', 'Production', 'Trafficking', 'Trafficking history', 'Street price', 'Assassination', 'Sources', 'Augustan History', 'Cassius Dio', 'Herodian', 'Modern historians', 'Legacy', 'Fiction', 'Plays', 'Dance', 'Flavonoids', 'Brewing', 'Varieties', 'Breeding programmes', 'Noble hops', 'Other uses', 'Toxicity', 'Fiction', 'See also', 'References', 'Structure of the population', 'Fertility rate', 'Regional vital statistics', 'CIA World Factbook demographic statistics', 'Caste', 'Population projections', '2020 estimate', 'Ethnic groups', 'Genetics', 'Y-chromosome DNA', 'Linguists', 'Language study', 'Dictionaries', 'English', 'Other languages', 'Standard orthographies and case variants', 'Classical singing', 'Letters', 'IPA number', 'Consonants', 'Stellations', 'Facetings', 'Geometric relations', 'Relation to the 6-cube and rhombic triacontahedron', 'Uniform colorings and subsymmetries', 'Uses and natural forms', 'Biology', 'Chemistry', 'Toys and games', 'Others', 'The starting period: Clash at Gqokli Hill', 'The period of consolidation: the Zulu impi and its variants', 'The first challenge of Europe:  African impi versus the Boer Commando', 'The second challenge of Europe: African impi versus the British Empire', 'Command and control', 'Handling of reserve forces', 'Use of Modern Arms and a Missed Opportunity', 'A tough challenge', 'Demise of the Impi', 'References', 'Irradiation process', 'Dosimetry', 'Impact', 'Chemical changes', 'Food quality', 'Quality impact on minimally processed vegetables', 'Long-term impacts', 'Indirect effects of irradiation', 'Industrial process', 'Packaging', 'Early life', 'Musical career', 'Dead Kennedys', 'Obscenity prosecution', 'Lawsuit and reunion activities', 'Other bands', 'Alternative Tentacles', 'Works', 'Biography', 'Early life', 'Early career', 'Friendship with Raymond Radiguet', 'Further works', '1940–1944', 'Later years', 'Etymology', 'Genesis narrative', "Jacob and Esau's birth", 'Acquiring birthright', 'Biography', 'Partial anthology', 'References', 'Life and books', 'Meeting von Savigny', 'Librarianship', 'Later work', 'Linguistic work', 'History of the German Language', 'German Grammar', "Grimm's law", 'German Dictionary', 'Literary work', 'References'], ['Early life']]



['Wikipedia: Dictum of Kenilworth', 'Wikipedia: Dispute resolution', 'Wikipedia: Electronegativity', 'Wikipedia: Executable and Linkable Format', 'Wikipedia: French', 'Wikipedia: Francisco Goya', 'Wikipedia: Free verse', 'Wikipedia: Greek fire', 'Wikipedia: Jinn', 'Wikipedia: Hexadecimal', 'Wikipedia: Hellas Verona F.C.', 'Wikipedia: Hack', 'Wikipedia: Irish mythology', 'Wikipedia: Jamiroquai']
[['Foreign', 'Quotations', 'References', 'Further reading'], ['Notes', 'References'], ['Trade', 'Economy', 'Internal market', 'Monetary union and financial services', 'Industry and digital economy', 'Energy', 'Infrastructure', 'Telecommunications and space', 'Agriculture and fisheries', 'Competition', 'Advancements', '2000s and 2010s', 'Circuit bending', 'Modular synth revival', 'See also', 'Footnotes', 'References', 'Further reading'], ['See also', 'Notes and references'], ['Tomb', 'See also', 'Notes', 'References', 'Further reading'], ['Indian subcontinent', 'Africa', 'Ethiopia', 'Central African Empire', 'East Asian tradition (Sinosphere)', 'China', 'Japan', 'Korea', 'Mongolia', 'Vietnam', 'Traditional narrative', "Events of Tenji's life", "Events of Tenji's reign", 'Death of the emperor', 'Poetry', 'Kugyo', 'Non-nengō period', 'Consorts and children', 'Arts and media', 'Other uses', 'See also', 'Sports', 'Organizations', 'Other uses', 'Definitions', 'Position in the political spectrum', '"Fascist" as a pejorative', 'History', '19th-century roots', 'Fin de siècle era and the fusion of Maurrasism with Sorelianism (1880–1914)', 'World War I and its aftermath (1914–1929)', 'Impact of World War I', 'Impact of the Bolshevik Revolution', 'Fascist Manifesto of 1919', 'Terminology', 'Origins', 'In pre-modern Islam', 'Process of iftāʾ', 'Role of fatwas', 'Qualifications of a mufti', 'Fatwa vs. court judgement', 'Institutions', 'In Shia Islam', 'Public and political fatwas', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'Early life and education', 'Post-graduate studies', "World's Columbian Exposition", 'Fin de siècle debates', 'Science versus history', 'Orthogenetic versus Darwinian evolution', 'Early career: museum studies', 'Minik Wallace', 'Later career: academic anthropology', 'Physical anthropology', 'Presidency (1789–1797)', 'Cabinet and executive departments', 'Domestic issues', 'National Bank', 'Jefferson–Hamilton feud', 'Whiskey Rebellion', 'Foreign affairs', 'Native American affairs', 'Second term', 'Farewell Address', 'Overview', 'Name', 'Characteristics', 'Abilities', 'Roar', 'Size', 'Special effects details', 'Appearances', 'Cultural impact', 'Oil', 'Agriculture', 'Tourism', 'Problems and reforms', 'Mining controversies', "Minority and women's rights", 'Transport infrastructure', 'Major roads', 'Demography', 'Urbanization', '2-D and optical stereoscopy', 'Resolution', 'Legacy', 'Envelope and other myths', 'See also', 'Notes', 'References', 'Bibliography', 'Primary sources'], ['Smithsonian-Mason School of Conservation', 'Mason Korea (Songdo, South Korea)', 'Academics and rankings', 'Colleges and schools', 'College of Health and Human Services', 'Admissions', 'Enrollment', 'Accreditation', 'Research', 'Centers and institutes', 'History', 'Manufacture', 'General characteristics', 'Theories on composition', 'Methods of deployment', 'Projectors', 'Threats', 'Captivity', 'See also', 'References', 'Further reading'], ['Representation', 'Written representation', 'Distinguishing from decimal', 'History of written representations', 'Renaissance era (1500–1700)', 'Films set in 16th century', 'Films set in 17th century', 'Films set in industrial era (1700–1900)', 'Films set in the 18th century', 'Films set in the 19th century', 'Films set in the modern era (1900–1949)', 'Films set in atomic era (1950–1999)', 'Films set in information era  (after 2000)', 'See also', 'Web 2.0', 'The mobile revolution', 'Networking in outer space', 'Internet governance', 'NIC, InterNIC, IANA, and ICANN', 'Internet Engineering Task Force', 'Request for Comments', 'The Internet Society', 'Globalization and Internet governance in the 21st century', 'Politicization of the Internet', 'Priming tool', 'Powder measure', 'Bullet puller', 'Case trimmer', 'Primer pocket tools', 'Headspace gauges and modified case gauges', 'Materials required', 'Reloading process', 'Rifle/pistol cartridges', 'Shotgun shells', 'Harm reduction', 'Research', 'See also', 'References'], ['Music', 'Paintings', 'Poetry', 'Television', 'References', 'Bibliography', 'Primary sources', 'Secondary material', 'Images'], [], ['Places', 'People', 'Mitochondrial DNA', 'Autosomal DNA', 'See also', 'Government', 'Lists', 'Notes', 'References', 'Bibliography'], ['Pulmonic consonants', 'Non-pulmonic consonants', 'Affricates', 'Co-articulated consonants', 'Vowels', 'Diphthongs', 'Diacritics and prosodic notation', 'Suprasegmentals', 'Comparative degree', 'Obsolete and nonstandard symbols', 'Icosahedral graph', 'Diminished regular icosahedra', 'Related polyhedra and polytopes', 'See also', 'Notes', 'References'], ['Bibliography', 'Further reading'], ['See also', 'Treatment', 'Gamma irradiation', 'Electron beam', 'X-ray', 'Cost', 'Public perception', 'Misconceptions', 'Standards and regulations', 'Labeling', 'Food safety', 'Spoken word', 'Politics', 'Mayoral campaign', 'Presidential campaign', 'Post-2000', 'Boycott of Israel', 'Personal life', 'Selected discography', 'Lard', 'Jello Biafra and the Guantanamo School of Medicine', 'Private life', 'Death', 'Honours and awards', 'Filmography', 'Literature', 'Film', 'Artworks', 'Recordings', 'Journals', 'Stamps', 'Blessing of Isaac', "Jacob's ladder", "Jacob's marriages", 'Journey back to Canaan', 'Jacob in Hebron', 'Seven-year famine', 'Jacob in Egypt', 'Historicity of the Egyptian episode', 'Final days', 'Children of Jacob', 'Life and work', 'Youth', 'Paris', 'Barbizon', 'The Gleaners', 'The Angelus', 'Later years', 'Legacy', 'Gallery', 'See also', 'Legal scholarship', 'Politics', 'Death', 'Works', 'Citations'], ['Career', 'Early musical projects', 'Nirvana', 'Collaboration with other artists', 'Musical influences', 'Artistry', 'Personal life', 'Relationships and family', 'Sexuality', 'Health']]



['Wikipedia: Edvard Grieg', 'Wikipedia: Egalitarianism', 'Wikipedia: Emperor Kōbun', 'Wikipedia: List of French people', 'Wikipedia: King Kong vs. Godzilla', 'Wikipedia: Genetic code', 'Wikipedia: H. G. Wells', 'Wikipedia: Homeopathy', 'Wikipedia: Politics of India', 'Wikipedia: Industrial archaeology of Dartmoor', 'Wikipedia: John Grierson', 'Wikipedia: John Donne', 'Wikipedia: Jacques Callot']
[['Background', 'The Dictum of Kenilworth', 'Aftermath', 'References', 'Sources', 'Further reading', 'Methods', 'Legal dispute resolution', 'Extrajudicial dispute resolution', 'See also', 'References', 'Further reading'], ['Labour market', 'Social policy and equality', 'Regional and local policy', 'Environment and climate', 'Education and research', 'Health care and food safety', 'Culture', 'Sport', 'Symbols', 'Media', 'Background', 'Career', 'Later years', 'Music', 'Methods of calculation', 'Pauling electronegativity', 'Mulliken electronegativity', 'Allred–Rochow electronegativity', 'Sanderson electronegativity equalization', 'Allen electronegativity', 'Correlation of electronegativity with other properties', 'Trends in electronegativity', 'Periodic trends', 'Variation of electronegativity with oxidation number', 'File layout', 'File header', 'Program header', 'Section header', 'Tools', 'Applications', 'Unix-like systems', 'Oceania', 'Fictional uses', 'See also', 'Notes', 'References'], ['Popular culture', 'Ancestry', 'See also', 'Notes', 'References', 'Actors', 'A–C', 'D–L', 'Early years (1746–1771)', 'Visit to Italy', 'Madrid (1775–1789)', 'Court painter', 'Middle period (1793–1799)', 'Peninsular War (1808–1814)', 'Quinta del Sordo and Black Paintings (1819–1822)', 'Bordeaux (October 1824–1828)', 'Films and television', "Goya's influence on modern and contemporary artists and writers", 'Italian Fascists in 1920', 'Fascist violence in 1922', 'Fascist Italy', 'Mussolini in power', 'Catholic Church', 'Corporatist economic system', 'Aggressive foreign policy', 'Hitler adopts Italian model', 'International impact of the Great Depression and the buildup to World War II', 'World War II (1939–1945)', 'In the modern era', 'Anti-colonial fatwas', 'Modern institutions', 'Legal methodology', 'Political fatwas and controversies', 'Fatwas in the West', 'Role of modern media', 'Social role of fatwas', 'See also', 'References', 'Definition', 'Vers libre', 'Form and structure', 'Legacy', 'Antecedents', 'See also', 'References', 'Further reading', 'On vers libre'], ['Linguistics', 'Cultural anthropology', 'Franz Boas and folklore', 'Scientist as activist', 'Students and influence', 'Legacy', 'Leadership roles and honors', 'Writings', 'Notes', 'References', 'Retirement (1797–1799)', 'Final days and death', 'Burial, net worth, and aftermath', 'Personal life', 'Religion and Freemasonry', 'Slavery', 'Abolition and emancipation', 'Historical reputation and legacy', 'Memorials', 'Universities', 'Cultural ambassador', 'See also', 'References', 'Sources'], ['Languages', 'Ethnic groups', 'Religion', 'Education', 'Health', 'Ebola', 'Maternal and child healthcare', 'HIV/AIDS', 'Malnutrition', 'Malaria', 'History', 'Codons', 'Expanded genetic codes (synthetic biology)', 'Partners', 'Student life', 'Traditions', 'Housing', 'Dining Options', 'On-campus robot food delivery', 'Student organizations', 'Student Media', 'Greek Life Student Organizations (Fraternities and Sororities)', 'Spiritual and Religious Community Fellowships, Ministries, and Associations', 'Hand-held projectors', 'Grenades', 'Effectiveness and countermeasures', 'In literature', 'See also', 'References', 'Citations', 'Sources'], ['Etymology', 'Pre-Islamic Arabia', 'Islamic theology', 'In scripture', 'Exegesis', 'Jinn belief', 'Classical era', 'Verbal and digital representations', 'Signs', 'Hexadecimal exponential notation', 'Conversion', 'Binary conversion', 'Other simple conversions', 'Division-remainder in source base', 'Conversion through addition and multiplication', 'Tools for conversion', 'Elementary arithmetic', 'References', 'Sources'], ['Net neutrality', 'Use and culture', 'Email and Usenet', 'From Gopher to the WWW', 'Search engines', 'File sharing', 'Dot-com bubble', 'Mobile phones and the Internet', 'Web technologies', 'Historiography', 'Legal aspects', 'United States', 'Canada', 'Germany', 'South Africa', 'Atypical handloading', 'Accuracy considerations', 'Cases', 'Bullets', 'Load tuning', 'History', 'Origins and early history', 'Success in the 1970s and 1980s', '1984–1985 Scudetto', 'Between Serie A and Serie B', 'Decline and Serie A comeback (2002–2016)', 'Colours and badge', 'Stadium', 'History', 'Historical context', 'Concept', 'Arts, entertainment, and media', 'Games', 'Music', 'Film', 'Other uses in arts, entertainment, and media', 'Computing', 'Animals', 'Sports', 'Transport', 'Other uses', 'Political parties and alliances', 'Types of political parties', 'Party proliferation', 'Alliances', 'Extensions', 'Segments without letters', 'Symbol names', 'Typefaces', 'ASCII and keyboard transliterations', 'Computer input using on-screen keyboard', 'See also', 'Notes', 'References', 'Further reading', 'Mining', 'Quarrying', 'Gunpowder factory', 'Peat-cutting', 'Warrens', 'Farming', 'Divinity In Irish Mythology', 'Goddesses', 'Gods', 'Druids', 'Heroes', 'Mythological cycle', 'Ulster cycle', 'Fenian cycle', 'Historical cycle', 'United States', 'European Union', 'Australia', 'Nuclear safety and security', 'Irradiated food supply', 'Timeline of the history of food irradiation', 'See also', 'Notes', 'References', 'Further reading', 'Collaborations', 'Filmography', 'Notes', 'References'], ['Bibliography', 'See also', 'Footnotes', 'References', 'Further reading'], ['Biblical family tree', 'Religious perspectives', 'Jewish tradition', 'Christianity', 'Islamic tradition', 'Black Muslim movements', 'Historicity', 'References', 'Further reading'], ['Notes', 'References'], ['History', '1991–1992: Formation', '1993–2000: International breakthrough', '2001–2016: A Funk Odyssey–Rock Dust Light Star', '2017–present: Automaton', 'Artistry', 'Musical style and influences', 'Death', 'Legacy and influence', 'Media on Cobain', 'Books', 'Film and television', 'Theatre', 'Video Games', 'Discography', 'Posthumous albums', 'Posthumous singles']]



['Wikipedia: Catan: Seafarers', 'Wikipedia: Ericales', 'Wikipedia: Emancipation Proclamation', 'Wikipedia: European Charter for Regional or Minority Languages', 'Wikipedia: Explorers Program', 'Wikipedia: Emperor Tenmu', 'Wikipedia: Full Metal Jacket', 'Wikipedia: Gulf Coast of the United States', 'Wikipedia: History of Guinea', 'Wikipedia: Grammar', 'Wikipedia: GATT (disambiguation)', 'Wikipedia: Hex', 'Wikipedia: Houston Texans', 'Wikipedia: Insurance', 'Wikipedia: Jehu', 'Wikipedia: Joseph Campbell', 'Wikipedia: John Sutter']
[['Future developments', 'Docklands series buses', 'History', '21st century', 'Economy', 'See also', 'References', 'Further reading'], ['City walls', 'The Merchant', 'City Upgrade Calendar'], ['References', 'Economic importance', 'Gallery of photos', 'Classification', 'Previously included families', 'See also', 'Festivals', 'Authority', 'Coverage', 'Protections', 'Part II', 'Part III', 'Languages protected under the Charter', 'See also', 'Notes and references'], ['History', 'Early Explorer Satellites', 'Egalitarianism and non-human animals', 'Religious and spiritual egalitarianism', 'Islam', 'Modern egalitarianism theory', 'Reception', 'Marxism', 'See also', 'References'], ['Traditional narrative', "Events of Tenmu's life", 'Buddhism', 'A–E', 'F–O', 'P–Z', 'Aviators', 'Business', 'Chefs', 'Colonial administrators', 'Composers', 'Criminals', 'Dancers', 'Definition', 'Scope', 'History', 'Etymology', 'Alternative views', 'Notes', 'References', 'Anti-democratic and tyrannical', 'Unprincipled opportunism', 'Ideological dishonesty', 'See also', 'References', 'Bibliography', 'Primary sources', 'Secondary sources', 'Further reading'], ['Background and recording', 'Release, controversy and ban by the BBC', 'Original 1983–1984 mixes', 'B-sides', 'Videos', 'Track listings', '7": ZTT / ZTAS 1 (United Kingdom)', '12": ZTT / 12 ZTAS 1 (United Kingdom)', '12": Island / 0-96975 (United States)', '12": ZTT / 062-2000686 (Greece)', 'Early political career', 'State President', 'Becoming State President', 'Negotiations toward universal suffrage', 'Vice Presidency', 'Truth and Reconciliation Commission', 'Later life', 'Ideology', 'Personality and personal life', 'Reception and legacy', 'Career', 'Criticism', 'Notes', 'References', 'Sources'], ['Further reading'], ['Geography', 'Theatrical', 'Home video', 'Box office', 'Preservation', 'Legacy', 'Dual ending myth', 'See also', 'Notes', 'References', 'Bibliography', 'West African empires', 'Kingdoms in Guinea', 'Futa Jallon', 'Wassoulou Empire', 'Colonial era', 'Variations', 'List of alternative codons', 'Origin', 'See also', 'References', 'Further reading'], ['Alumni', 'See also', 'Notes', 'References'], ['All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'In witchcraft and magical literature', 'Comparative mythology', 'Ancient Mesopotamian religion', 'Judaism', 'Buddhism', 'Christianity', 'In popular culture', 'References', 'Notes', 'Citations', 'References'], ['Magic', 'Political views', 'Religious views', 'Literary influence', 'Representations', 'Literary', 'Dramatic', 'Literary papers', 'Bibliography', 'Notes', 'References', 'Life', 'Childhood', 'Adulthood', 'Poet', 'Knight', 'Works', 'Historical context', 'Themes', 'Reloading', 'See also', 'References'], ['Managers', 'World Cup players', 'In Europe', 'European Cup', 'UEFA Cup', 'References', 'Further reading'], ['Lack of scientific evidence', 'Plausibility of dilutions', 'Efficacy', 'Explanations of perceived effects', 'Purported effects in other biological systems', 'Ethics and safety', 'Regulation and prevalence', 'Regulation', 'Prevalence', 'Veterinary use', "Colors of Huey, Dewey, and Louie's outfits", 'Voices', 'Phooey Duck', 'Character appearances', 'Films', 'List of animated short films', 'Comics', 'Television', 'DuckTales', 'Quack Pack', 'Vice President of India', 'The Prime Minister and the Union Council of Ministers', 'State Governments', 'Nepotism in Indian Politics', 'See also', 'References', 'Further reading'], ['Education', 'Career', 'Habits and personality', 'Novels', 'In other media', 'Television', 'Radio', 'Theatre', 'References', 'Further reading', 'Definition', 'Examples', 'Idempotent functions', 'Computer science meaning', 'Computer science examples', 'Applied examples', 'See also', 'References', 'Further reading'], ['History', 'Early methods', 'Removal and return to fertility', 'Side effects', 'Contraindications', 'Device description', 'Insertion', 'Types', 'Frameless IUDs', 'Mechanism of action', 'Usage', 'History', 'Canada', 'National Film Board of Canada and Wartime Information Board', 'Commission on Freedom of the Press', 'UNESCO', 'Central Office of Information', 'Group 3', 'Films of Scotland Committee', 'This Wonderful World', 'Later life', 'Filmography', 'Legacy', 'In literature', 'Musical settings', 'Works', 'Notes', 'References', 'Further reading'], ['Rabbinic Literature', 'Chronological notes', 'In popular culture', 'References'], ['Life', 'Background', 'The Great Depression', 'Sarah Lawrence College', 'Later life and death', 'Biography', 'Early life', 'The New World', 'History', 'Publications', 'Books', 'Selected papers', 'References'], []]



['Wikipedia: Diesel multiple unit', 'Wikipedia: Edward Sapir', 'Wikipedia: English Civil War', 'Wikipedia: Expert witness', 'Wikipedia: List of French-language poets', 'Wikipedia: Forge', 'Wikipedia: Furlong', 'Wikipedia: Ebirah, Horror of the Deep', 'Wikipedia: Golden ratio', 'Wikipedia: Gipsy', 'Wikipedia: Gallurese dialect', 'Wikipedia: Hypertext', 'Wikipedia: Hinayana', 'Wikipedia: Hairpin', 'Wikipedia: Telecommunications in India', 'Wikipedia: History of the Isle of Man', 'Wikipedia: Ithaca, New York', 'Wikipedia: Isle Royale National Park', 'Wikipedia: Joey Ramone', 'Wikipedia: Swedish krona']
[['Design', 'Types by transmission', 'Diesel–mechanical', 'Diesel–hydraulic', 'Ships', 'Gold Rivers', 'Exploration', 'Scenarios', 'Heading to New Shores', 'The Four Islands', 'The Fog Island', 'Through the Desert', 'References', 'Bibliography', 'Life', 'Background', 'Military action prior to emancipation', 'Governmental action towards emancipation', 'Public opinion of emancipation', 'Drafting and issuance of the proclamation', 'Implementation', 'Immediate impact', 'Political impact', 'Confederate response', 'International impact'], ['Terminology', 'Geography', 'Continuation of the Explorers program', 'SMEX, MIDEX, and Student Explorer programs', 'Classes', 'Medium-Class Explorers (MIDEX)', 'Small Explorers (SMEX)', 'University-Class Explorers (UNEX)', 'Missions of Opportunity (MO)', 'Launched spacecraft', 'Cancelled missions', 'Launch statistics', 'History', 'Role of expert witnesses', 'Qualifications of expert witnesses', 'Duties of experts in United States Courts', 'Politics', 'Kugyō', "Era of Tenmu's reign", 'Non-nengō period', 'Wives and Children', 'Ancestry', 'See also', 'References', 'Further reading'], ['Economists', 'Fashion', 'Fictional characters', 'Filmmakers', 'Humorists', 'Military leaders', 'Monarchs and royals', 'Musicians', 'Philosophers', 'Politicians', 'A', 'B', 'C', 'D', 'Types', 'Coal/coke/charcoal forge', 'Gas forge', 'MC: ZTT / CTIS 102', 'Re-issues', '1993 re-issues', 'CD: ZTT / FGTH1CD', '2x12": ZTT / SAM 1231', '2001 re-issues', 'CD: Repertoire Records / REP 8027 (Germany)', 'CD: Star 69 / STARCD 520 (US)', '2009 re-issues', 'CD: Universal Music TV/All Around The World (UK)', 'References', 'Bibliography', 'Further reading'], ['Plot', 'Part I', 'Part II', 'Cast', 'Production', 'Development', 'Casting', 'Climate', 'Economic activities', 'History', 'Metropolitan areas', 'Transportation', 'Road', 'Major Interstates', 'Major U.S. routes', 'Other significant routes', 'Air'], ['Plot', 'Cast', 'Independence (1958)', "Sékou Touré's rule (1958–1984)", "Lansana Conté's rule (1984–2008)", "Conté's death and the 2008 coup d'état", '2013 protests', '2014 Ebola outbreak', 'See also', 'Further reading'], ['Calculation', 'History', 'Applications and observations', 'Architecture', 'Art', 'Books and design', 'Etymology', 'History', 'Theoretical frameworks', 'Development of grammars', 'Education', 'See also', 'Notes', 'References', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'Literature', 'Bibliography', 'Further reading'], ['Web colors', 'Engineering and technology', 'Businesses and services', 'Games and sport', 'Places', 'Arts and media', 'Books', 'Fictional characters', 'Film and television', 'Music', 'Further reading'], ['Etymology', 'Reception', 'Antiquity', 'Middle Ages and Renaissance', 'Age of Enlightenment', '19th century on', 'Translations', 'In popular culture', 'See also', 'Notes', 'Citations', 'Franchise history', 'Team identity', 'Nickname', 'Logo and uniforms', 'Mascots and cheerleaders', 'Famous fans', 'Rivalries', 'Tennessee Titans', 'Indianapolis Colts', 'Etymology', 'Origins', 'Mahāyāna members of the early Buddhist schools', 'Hīnayāna as Śrāvakayāna', 'Hīnayāna and Theravāda', 'Public opposition', 'See also', 'References'], ['Video games', 'Kingdom Hearts', 'Parks and attractions', 'Tokyo Disney', 'Disneyland Paris', 'References'], ['History', 'The beginning', 'Further developments and milestones', 'Liberalisation and privatisation', 'Licence cancellation'], ['Prehistory', 'Mesolithic', 'History', 'Early history', 'Partition of the Military Tract', 'Growth', 'Modern methods', 'Principles', 'Insurability', 'Legal', 'Indemnification', 'Exclusions', 'Social effects', 'Methods of insurance', "Insurers' business model", 'Underwriting and investing', 'Brands', 'References'], ['Works about Grierson', 'Books', 'Documentary films', 'Awards named for John Grierson', 'Grierson Documentary Film Awards', 'Other', 'See also', 'References', 'Sources'], ['Early life', 'Sniper', 'Ramones', 'Vocal style', 'Other projects', 'Proclamation as king', 'Jezreel and deaths of Jehoram and Jezebel', 'Black Obelisk', 'Tel Dan Stele', 'See also', 'Sources and notes'], ['Influences', 'Art, literature, philosophy', 'Psychology and anthropology', "Comparative mythology and Campbell's theories", 'Monomyth', 'Functions of myth', 'Evolution of myth', 'Influence', 'Joseph Campbell Foundation', 'Film and television', "Beginnings of Sutter's Fort", 'Relationship with Native Americans', 'Beginning of the Gold Rush', 'Land grant challenge', 'Legacy', 'Pop culture', 'Scholarly studies', 'Films', 'Comics', 'Music', 'History', 'Coins', 'Contemporary', 'Banknotes', '2015 series']]



['Wikipedia: Electronic oscillator', 'Wikipedia: Empress Jitō', 'Wikipedia: File', 'Wikipedia: Geography of Guinea', 'Wikipedia: Gigabyte', 'Wikipedia: General Agreement on Tariffs and Trade', 'Wikipedia: Hitler (disambiguation)', 'Wikipedia: Microsoft Windows version history', 'Wikipedia: Humphrey Bogart', 'Wikipedia: Hate speech', 'Wikipedia: Hammurabi', 'Wikipedia: James Cameron', 'Wikipedia: Joshua', 'Wikipedia: John Adams (composer)']
[['Diesel–electric', 'Advantages and disadvantages', 'Around the world', 'Europe', 'Belgium', 'Croatia', 'Czech Republic', 'Estonia', 'Ireland', 'Romania', 'The Forgotten Tribe', 'Cloth for Catan', 'The Pirate Island', 'The Wonders of Catan', 'The Great Crossing', 'Greater Catan', 'New World', 'Reception', 'See also', 'References', 'Childhood and youth', 'Education at Columbia', 'College', 'Influence of Boas', 'Early fieldwork', 'In Ottawa', "Canada's Geological Survey", 'Work with Ishi', 'Moving on', 'Chicago years', 'Gettysburg Address', 'Proclamation of Amnesty and Reconstruction (1863)', 'Postbellum', 'Critiques', 'Legacy in the civil rights era', 'Dr. Martin Luther King Jr.', 'The "Second Emancipation Proclamation"', 'President John F. Kennedy', 'President Lyndon B. Johnson', 'In popular culture', 'Strategy and tactics', 'Background', "The King's rule", 'Parliament in an English constitutional framework', 'Parliamentary concerns and the Petition of Right', 'Personal rule', 'Rebellion in Scotland', 'Recall of the English Parliament', 'The Long Parliament', 'Local grievances', 'See also', 'References'], ['Rules of evidence and code of procedure', 'Hearsay rule', 'Chain of custody', 'Weight of testimony', 'Types of expert witness', 'Testifying experts', 'Educating witness', 'Reporting witness', 'Non-testifying experts', 'United States', 'Traditional narrative', "Events of Jitō's reign", 'Kugyō', 'Popes', 'Resistance workers', 'Scientists', 'Social activists', 'Soldiers', 'Theologians', 'Others', 'See also', 'References', 'E', 'F', 'G', 'H', 'I', 'J', 'K', 'L', 'M', 'N', 'Finery forge', 'Forging equipment', 'Anvil', 'Hammer', 'Chisel', 'Tongs', 'Fuller', 'Hardy', 'Slack tub', 'Types of forging', '12": Universal Music TV/All Around The World / 12GLOBE1167 (UK)', 'Digital Download: Universal Music TV/All Around The World (UK)', '2014 re-issues', '12": ZTT/Salvo / SALVOTWS01 (UK)', 'Digital Download: ZTT (UK)', 'Charts and certifications', 'Original version (1983 to 1985)', 'Weekly charts', 'Year-end charts', '1993 and 2001 reissues', 'History', 'Use', 'Definition of length', 'See also', 'References', 'Filming', 'Themes', 'Music', 'Release', 'Box office', 'Home media', 'Critical reception', 'Accolades', 'Differences between novel and screenplay', 'Adaptation of novel to film', 'International service', 'Rail', 'Amtrak service', 'See also', 'Notes', 'Further reading'], ['Production', 'Development', 'Special effects', 'Filming', 'Release', 'Home media', 'References'], ['Location', 'Climate', 'Rivers and water', 'Ecoregions', 'Music', 'Nature', 'Optimization', 'Mathematics', 'Irrationality', 'Contradiction from an expression in lowest terms', 'By irrationality of', 'Minimal polynomial', 'Golden ratio conjugate', 'Alternative forms'], ['Definition', 'Base 10 (decimal)', 'Transport', 'Music', 'People', 'Places', 'Other uses', 'See also', 'History', 'Typical constitutional elements of Gallurese', 'Relation to Corsican', 'Sample of text', 'See also', 'References'], ['Musical artists', 'Songs and albums', 'See also', 'Types and uses of hypertext', 'History', 'Implementations', 'Academic conferences', 'Hypertext fiction', 'Forms of hypertext', 'See also', 'References', 'Documentary film', 'Bibliography', 'References', 'Further reading'], ['Dallas Cowboys', 'Statistics', 'Win–loss record', 'Notable records vs opponents', 'Players of note', 'Current roster', 'NFL Draft history', 'First-round draft picks by year', 'Awards and honors', 'Ring of Honor', 'Views of Chinese pilgrims', 'Philosophical differences', 'Opinions of scholars', 'Notes', 'Sources'], ['Hairpins in Chinese culture', 'Gallery', 'See also', 'References', 'Reign and conquests', 'Code of laws', 'Legacy', 'Commemoration after his death', 'Political legacy', 'Modern rediscovery', 'Consolidation', 'Telephony', 'Landline', 'Mobile telephony', 'Frequency bands', 'Subscriber base by circle', 'Internet', 'Net neutrality', 'Television broadcasting', 'Radio', 'Neolithic to Bronze Age', 'Iron Age', 'Middle Ages', 'Early Middle Ages', 'Viking Age and Norse kingdom', 'Decline of Norse rule', 'English dominance', 'Early Modern period', 'Wars of the Three Kingdoms and Interregnum; 1642 to 1660', '1660 Restoration', 'Recent history', 'Geography and climate', 'Geography', 'Climate', 'Demographics', 'Greater Ithaca', 'Local government', 'Politics', 'Sister city', 'Education', 'Claims', 'Marketing', 'Types', 'Auto insurance', 'Gap insurance', 'Health insurance', 'Income protection insurance', 'Casualty insurance', 'Life insurance', 'Burial insurance', 'Geography', 'Climate', 'History', 'Prehistoric', '19th & 20th centuries', 'Natural history', 'Flora', 'Fauna', 'Geology', 'Recreation', 'Early life', 'Career', '1978–1983: Early work', 'Death and influence', 'Discography', 'Solo', 'EPs', 'Singles', 'References'], ['Name', 'Biblical narrative', 'The Exodus', 'Conquest of Canaan', 'Popular literature', '"Follow your bliss"', 'Academic reception and criticism', 'Works by Campbell', 'Early collaborations', 'The Hero with a Thousand Faces', 'The Masks of God', 'Historical Atlas of World Mythology', 'The Power of Myth', 'Collected Works', 'Literature', 'See also', 'References'], ['500 kr banknote controversy', 'Exchange rate', 'Relationship to the euro', 'Banknotes and coins per capita in circulation', 'The e-krona', 'See also', 'References', 'Further reading'], []]



['Wikipedia: Dynamical system', 'Wikipedia: Erwin Rommel', 'Wikipedia: Five-card draw', 'Wikipedia: Galaxy formation and evolution', 'Wikipedia: Son of Godzilla', 'Wikipedia: Demographics of Guinea', 'Wikipedia: Gary Busey', 'Wikipedia: Histogram', 'Wikipedia: Harald Tveit Alvestrand', 'Wikipedia: Huygens–Fresnel principle', 'Wikipedia: June 29', 'Wikipedia: Krone']
[['Slovakia', 'United Kingdom', 'North America', 'Canada', 'Costa Rica', 'United States', 'Asia/Australasia', 'Australia', 'Bangladesh', 'India', 'Overview', 'History', 'Basic definitions', 'At Yale', 'Anthropological thought', 'Breadth of languages studied', 'Selected publications', 'Books', 'Essays and articles', 'Biographies', 'Correspondence', 'References'], ['See also', 'Notes', 'Primary sources', 'Further reading'], ['First English Civil War (1642–1646)', 'Interbellum', 'Second English Civil War (1648–1649)', 'Trial of Charles I for treason', 'Third English Civil War (1649–1651)', 'Ireland', 'Scotland', 'England', 'Immediate aftermath', 'Political control', 'Harmonic oscillator', 'Feedback oscillator', 'Negative-resistance oscillator', 'Relaxation oscillator', 'Voltage-controlled oscillator (VCO)', 'History', 'See also', 'References', 'Further reading'], ['Scientific evidence', 'Frye test', 'Daubert standard', 'United Kingdom', 'England and Wales', 'Scotland', 'Comparing Expert Witness law in the UK and the US', 'Similarities between UK and US Expert Witness Law', 'The purpose behind the use of expert witnesses', 'Qualification of Expert Witness', 'Non-nengō period', 'Poetry', 'Ancestry', 'See also', 'Notes', 'References'], ['Gameplay', 'House rules', 'Sample deal', 'Stripped deck variant', 'O', 'P', 'Q', 'R', 'S', 'T', 'V', 'References', 'See also', 'Drop forging', 'Process', 'Equipment', 'Workpiece materials', 'Gallery', 'Photography', 'In art', 'See also', 'References'], ["Relax '93", 'Sales and certifications', 'Covers', 'See also', 'Bibliography', 'References'], ['Mechanical tools and processes', 'Documents', 'Computing', 'Other uses', 'See also', 'In popular culture', 'See also', 'Notes', 'References', 'Bibliography', 'Further reading'], ['Commonly observed properties of galaxies', 'Formation of disk galaxies', 'Top-down theories', 'Bottom-up theories', 'Galaxy mergers and the formation of elliptical galaxies', 'Galaxy quenching', 'Plot', 'Cast', 'Production', 'Release', 'Home media', 'Resources and environment', 'Environmental issues', 'Terrain', 'See also', 'References', 'Geometry', 'Dividing a line segment by interior division', 'Dividing a line segment by exterior division', 'Golden triangle, pentagon and pentagram', 'Golden triangle', 'Pentagon', "Odom's construction", 'Pentagram', "Ptolemy's theorem", 'Scalenity of triangles', 'Base 2 (binary)', 'Consumer confusion', 'US lawsuits', 'Other contexts', 'Examples of gigabyte-sized storage', 'Unicode character', 'See also', 'References'], ['History', 'Initial round', 'Annecy Round: 1949', 'Torquay Round: 1951', 'Geneva Round: 1955–56', 'Dillon Round: 1960–62', 'Kennedy Round: 1964–67', 'Early life', 'Career', 'Early career', 'Rise to prominence', '2000s–present', 'Personal life', 'Books', 'Film and television', 'Adolf Hitler', 'Other films', 'Other uses', 'See also', 'Further reading'], ['Hypertext conferences', 'Windows 1.x', 'Windows 2.x', 'Windows 3.0', 'OS/2', 'Windows 3.1x', 'Windows NT 3.x', 'Windows 95', 'Windows NT 4.0', 'Windows 98', 'Windows 2000', 'Pro Football Hall of Fame', 'Head coaches', 'Current staff', 'Traditions', 'Radio and television', 'Radio affiliates', 'Theme music', 'Work in the community', 'See also', 'Notes and references', 'Early life and education', 'Navy', 'Acting ==', 'First performances', 'Broadway to Hollywood', 'In Hollywood permanently: The Petrified Forest ===', 'Supporting gangster and villain roles ===', 'Hate speech laws', 'Internet', 'Commentary', 'See also', 'References'], ['See also', 'Notes', 'References', 'Sources', 'Further reading'], ['Next-generation networks (NGN)', 'Regulatory environment', 'S-band spectrum scam', 'Revenue and growth', 'International', 'Submarine cables', 'See also', 'References'], ['Revestment', 'Modern period', 'Greater autonomy', 'See also', 'References', 'Sources', 'Bibliography'], ['Colleges', 'Public schools', 'Library', 'Economy', 'Agriculture', 'Media', 'Culture', 'Music', 'Transportation', 'Roads', 'Property', 'Liability', 'Credit', 'Other types', 'Insurance financing vehicles', 'Closed community and governmental self-insurance', 'Insurance companies', 'Mutual versus proprietary', 'Reinsurance companies', 'Captive insurance companies', 'Services', 'Camping', 'Access', 'Ships', 'See also', 'References', 'Further reading'], ['1984–1992: Breakthrough', '1993–2001: Continued efforts and Titanic', '2002–2010: Documentaries and Avatar success', '2011–present', 'Upcoming projects', 'Activism and social causes', 'Personal life', 'Directorial style and reception', 'Themes', 'Awards and recognition', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['Death', 'Historicity', 'Views', 'In rabbinical literature', 'In Christianity', 'In Islam', 'Tombs', 'In art and literature', 'Yahrtzeit', 'Yom HaAliyah', 'Other books', 'Interview books', 'Audio recordings', 'Video recordings', 'TV appearances', 'Edited books', 'See also', 'Notes', 'References', 'Citations', 'Life and career', 'Before 1977', '1977 to Nixon in China', '1988 to Doctor Atomic', 'After Doctor Atomic', 'Musical style', 'Critical reception', 'Klinghoffer controversy', 'List of works', 'General', 'Name', 'Currency', 'See also']]



['Wikipedia: English', 'Wikipedia: Societas Europaea', 'Wikipedia: Emperor Monmu', 'Wikipedia: Flaming (Internet)', 'Wikipedia: FM-2030', 'Wikipedia: Five Pillars of Islam', 'Wikipedia: Two Tribes', 'Wikipedia: Fundamental frequency', 'Wikipedia: Flirting', 'Wikipedia: Generation X', 'Wikipedia: Destroy All Monsters', 'Wikipedia: Galaxy groups and clusters', 'Wikipedia: -gry puzzle', 'Wikipedia: Harlan Ellison', 'Wikipedia: Heart of Oak', 'Wikipedia: Henrik Ibsen', 'Wikipedia: Transport in India', 'Wikipedia: Geography of the Isle of Man', 'Wikipedia: NATO Integrated Air Defense System', 'Wikipedia: June 30', 'Wikipedia: John Dowland', 'Wikipedia: Kattegat']
[['Indonesia', 'Japan', 'Malaysia', 'Philippines', 'South Korea', 'Sri Lanka', 'Taiwan', 'Manufacturers', 'See also', 'References', 'Examples', 'Further examples', 'Linear dynamical systems', 'Flows', 'Maps', 'Local dynamics', 'Rectification', 'Near periodic orbits', 'Conjugation results', 'Bifurcation theory', 'Peoples, culture, and language', 'Individuals', 'Places', 'Early life and career', 'World War I', 'Between the wars', 'World War II', 'Poland 1939', 'France 1940', 'Panzer Division commander', 'Invasion of the Netherlands, Belgium and France', 'Episcopacy', 'English overseas possessions', 'Casualties', 'Popular gains', 'Aftermath', 'Historical interpretations', "Hobbes' Behemoth", 'Re-enactments', 'See also', 'Notes', 'Main provisions', 'Formation', 'Minimum capital', 'Admissibility of Evidence', 'Differences Between UK and US Expert Witness Law', 'Conduct of Expert Witness', 'Depositions', 'Ultimate Issues', 'See also', 'References', 'Bibliography'], ['Traditional narrative', "Events of Monmu's life", 'Kugyō', "Eras of Monmu's reign", 'Non-nengō period', 'Consorts and children', 'Math of Five-card draw', 'See also'], ['Early life and education', 'Name change', 'Personal life', 'Death', 'Overview of Five Pillars of Islam', 'Pillars of Sunni Islam', 'First pillar: Shahada (Profession of Faith)', 'Music', 'Title and lyrics', 'Promotion', 'Original 1984 mixes', 'B-sides', 'Videos', 'Explanation', 'In music', 'Mechanical systems', 'See also', 'References', 'Etymology', 'History', 'European hand fans', 'Purpose', 'Courtship', 'Other motivations', 'Gallery', 'See also', 'Further reading', 'References'], ['Reception', 'See also', 'References'], ['Population', 'Vital statistics', 'Fertility and Births', 'Life expectancy', 'Ethnic groups', 'Other demographic statistics', 'Age structure', 'Median age', 'Triangle whose sides form a geometric progression', 'Golden triangle, rhombus, and rhombic triacontahedron', 'Relationship to Fibonacci sequence', 'Symmetries', 'Other properties', 'Decimal expansion', 'Pyramids', 'Mathematical pyramids', 'Egyptian pyramids', 'Disputed observations', 'Groups of  galaxies', 'Clusters of galaxies', 'Observational methods', 'Temperature and density', 'Tokyo Round: 1973–79', 'Formation of Quadrilateral Group: 1981', 'Uruguay Round: 1986–94', 'Doha Round: 2001-', 'GATT and the World Trade Organization', 'Effects on trade liberalization', 'Article 24', 'See also', 'References', 'Further reading', 'Filmography', 'Selected filmography', 'Awards and nominations', 'References'], ['Examples', 'Mathematical definition', 'Cumulative histogram', 'Number of bins and width', 'Square-root choice', "Sturges' formula", 'Rice Rule', 'Biography', 'Publications', 'Best Current Practices', 'Other important RFCs', 'References'], ['Windows Me', 'Windows XP, Server 2003 series and Fundamentals for Legacy PCs', 'Windows Server 2003', 'Windows XP x64 and Server 2003 x64 Editions', 'Windows Fundamentals for Legacy PCs', 'Windows Home Server', 'Windows Vista and Server 2008', 'Windows Server 2008', 'Windows 7 and Server 2008 R2', 'Windows Thin PC'], ['Lyrics', 'Original', 'Early stardom', 'High Sierra', 'The Maltese Falcon', 'Casablanca', 'Bogart and Bacall', 'To Have and Have Not', 'The Big Sleep', 'Marriage', 'Dark Passage and Key Largo', 'Later career', 'Early life and family', 'Life and writings', 'Critical reception', 'Death', 'Centenary', 'History', "Huygens' principle as a microscopic model", 'Modern physics interpretations', 'Mathematical expression of the principle', "Generalized Huygens' principle", "Huygens' theory and the modern photon wave function", "Huygens' principle and quantum field theory", 'Human/Animal powered', 'Walking', 'Palanquins', 'Bullock carts/Horse carriages', 'Dimensions', 'Coast and Territorial Sea', 'Climate', 'Terrain', 'Land use', 'Bus', 'Airports', 'Railways', 'Points of interest', 'Notable people', 'Reputation', 'See also', 'References'], ['Other forms', 'Admitted versus non-admitted', 'Insurance consultants', 'Financial stability and rating', 'Across the world', 'Regulatory differences', 'Controversies', 'Does not reduce the risk', 'Moral hazard', 'Complexity of insurance policy contracts', 'Development', 'Allied Air Command', 'Radar stations', 'Albania', 'Belgium', 'Awards received by Cameron films', 'Filmography', 'Frequent collaborators', 'See also', 'References', 'Book sources', 'Further reading'], ['Events', 'Births', 'Deaths', "Joshua tree and Joshua's blind snake", 'Music', 'See also', 'Notes', 'References', 'Bibliography'], ['Works cited', 'Further reading'], ['Operas', 'Orchestral', 'Voice and orchestra', 'Chamber music', 'Other ensemble works', 'Choir and orchestra', 'Tape and electronic compositions', 'Piano', 'Film scores', 'Orchestrations and arrangements', 'Geography', 'Extent', 'Etymology']]



['Wikipedia: Donald A. Wollheim', 'Wikipedia: Easter egg', 'Wikipedia: Elementary algebra', 'Wikipedia: Endocytosis', 'Wikipedia: Empress Genshō', 'Wikipedia: West Flemish', 'Wikipedia: Fable', 'Wikipedia: Franklin J. Schaffner', 'Wikipedia: Grus (constellation)', 'Wikipedia: G protein-coupled receptor', 'Wikipedia: Harold Holt', 'Wikipedia: Honey', 'Wikipedia: Ivy League', 'Wikipedia: Judaism', 'Wikipedia: July 1', 'Wikipedia: Jeremiah (disambiguation)']
[['Science fiction fan', 'Author', 'Editor and publisher', 'Ergodic systems', 'Nonlinear dynamical systems and chaos', 'Geometrical definition', 'Measure theoretical definition', 'Multidimensional generalization', 'See also', 'References', 'Further reading'], ['Other uses', 'See also', 'History', 'Battle of Arras', 'Drive for the Channel', 'Executions of prisoners in France', 'North Africa 1941–1943', 'Treatment of Libyan Jews', 'First Axis offensive', 'Siege of Tobruk', 'Operation Crusader', 'Battle of Gazala and capture of Tobruk', 'Treatment of POWs after siege of Tobruk', 'References', 'Citations', 'Sources', 'Further reading'], ['Registered office', 'Laws applicable', 'Registration and liquidation', 'Statutes', 'Annual accounts', 'Taxation', 'Winding-up', 'Status of the legislation and implementation', 'United Kingdom', 'Employee participation', 'History', 'Endocytosis pathways', 'Principal components of endocytic pathway', 'Clathrin-mediated endocytosis', 'Ancestry', 'See also', 'Notes', 'References', 'Purpose', 'Factors', 'History', 'Types', 'Flame trolling', 'Flame war', 'Political flaming', 'Corporate flaming', 'Examples', 'Legal implications', 'Published works', 'Cultural references', 'See also', 'References'], ['Second Pillar: Salat (Prayer)', 'Third Pillar: Zakat (Almsgiving)', 'Fourth Pillar: Sawm (Fasting)', 'Fifth Pillar: Hajj (Pilgrimage)', 'Pillars of Shia Islam', 'Twelvers', 'Ismailis', 'History of the Pillars', 'See also', 'References', 'Charts', 'Weekly charts', 'Year-end charts', 'Certifications', 'Track listing', '7": ZTT / ZTAS 3 United Kingdom', '7" (picture disc): ZTT / P ZTAS 3 United Kingdom', '12": ZTT / 12 ZTAS 3 United Kingdom', '12": Island Records / X-14065 Australia', '12": ZTT / 12 XZTAS 3 United Kingdom', 'History', "Aesopic or Aesop's fable", 'Africa', 'Gender differences in motivations', 'Examples', 'Cultural variations', 'See also', 'References', 'Terminology and etymology', 'Date and age range definitions', 'Declining Western fertility rates', 'Other age range markers', 'Generational span', 'External historical events', 'Generation X as late boomers', 'Generational cuspers', 'Plot', 'Cast', 'Production', 'Release', 'Home media', 'Critical reception', 'See also', 'References'], ['Population growth rate', 'Birth rate', 'Death rate', 'Total fertility rate', "Mother's mean age at first birth", 'Contraceptive prevalence rate', 'Net migration rate', 'Dependency ratios', 'Life expectancy at birth', 'Urbanization', 'The Parthenon', 'Modern art', 'See also', 'References', 'Explanatory footnotes', 'Citations', 'Works cited', 'Further reading'], ['List of groups and clusters', 'See also', 'References', 'Further reading'], ['History and significance', 'Classification', 'Answers', 'History', 'Reports of earlier versions', 'Alternative versions', 'Trick versions', 'Meta-puzzle versions', 'Similar puzzles', 'Solution techniques', "Doane's formula", "Scott's normal reference rule", "Freedman–Diaconis' choice", 'Minimizing cross-validation estimated squared error', "Shimazaki and Shinomoto's choice", 'Variable bin widths', 'Remark', 'Applications', 'See also', 'References', 'Biography', 'Early life and career', 'Hollywood and beyond', 'Personal life and death', 'Pseudonyms', 'Controversies and disputes', 'Temperament', 'Windows Home Server 2011', 'Windows 8 and Server 2012', 'Windows 10 and Server 2016', 'Stable releases', 'Preview versions', 'Windows Server 2016', 'Windows Server 2019', 'See also', 'References', 'Further reading', 'Amended words', 'New lyrics', 'See also', 'References', 'Bibliography'], ['The Treasure of the Sierra Madre', 'House Un-American Activities Committee', 'Santana Productions', 'The African Queen', 'The Caine Mutiny', 'Final roles', 'Television and radio', 'Personal life', 'Children', 'Rat Pack', 'Legacy', 'Ancestry', 'Descendants', 'Honours', 'Works', 'Plays', 'Other Works', 'English translations', 'See also', 'Notes', 'In other spatial dimensions', 'See also', 'References', 'Further reading', 'Bicycles', 'Human-pulled rickshaws', 'Cycle rickshaws', 'Road', 'Bus', 'Bus Rapid Transit System', 'Motor vehicles', 'Two-wheelers', 'Automobiles', 'Utility vehicles', 'Natural hazards and environmental issues', 'Protected sites for nature conservation', 'UNESCO Biosphere Reserves', 'Ramsar sites', 'National nature reserves', 'Areas of Special Scientific Importance', 'Marine nature reserves', 'Areas of Special Protection', 'Bird sanctuaries', 'Nature reserves and wildlife sites', 'Members', 'History', 'Year founded', 'Origin of the name', 'Limited consumer benefits', 'Redlining', 'Insurance patents', 'Insurance on demand', 'Insurance industry and rent-seeking', 'Religious concerns', 'See also', 'Notes', 'References', 'Citations', 'Bulgaria', 'Canada', 'Croatia', 'Czech Republic', 'Denmark', 'Estonia', 'France', 'Germany', 'Greece', 'Hungary', 'Defining characteristics and principles of faith', 'Core tenets', 'Jewish religious texts', 'Jewish legal literature', 'Jewish philosophy', 'Holidays and observances', 'References'], ['People', 'Places', 'Titled works', 'See also', 'Career and compositions', 'Published works', 'Whole Book of Psalms (1592)', 'New Book of Tablature (1596)', 'Lamentatio Henrici Noel (1596)', 'First Book of Songs (1597)', 'Second Book of Songs (1600)', 'Third Book of Songs (1603)', 'Lachrimae (1604)', 'Micrologus (1609)', 'Awards and recognition', 'Major awards', 'Grammy awards', 'Other awards', 'Memberships', 'Honorary Doctorates', 'Other', 'Personal life', 'References', 'Notes', 'History', 'Biology', 'Ecological collapse', 'Protections and regulation', 'Gallery', 'See also', 'References'], []]



['Wikipedia: Dhimmi', 'Wikipedia: Ezra Abbot', 'Wikipedia: Frank Lloyd Wright', 'Wikipedia: Friction', 'Wikipedia: Godzilla vs. Megalon', 'Wikipedia: Genome', 'Wikipedia: Giosuè Carducci', 'Wikipedia: Hilter', 'Wikipedia: Helsinki', 'Wikipedia: Hawaiian language', 'Wikipedia: Demographics of the Isle of Man', 'Wikipedia: Indira Gandhi', 'Wikipedia: January 25', 'Wikipedia: Jeroboam', 'Wikipedia: Jon Voight', 'Wikipedia: Kolmogorov–Smirnov test']
[['DAW Books', 'Recognition', 'Selected works', "World's Best Science Fiction, 1965–1971 (with Terry Carr)", "The Annual World's Best SF, 1972–1990 (with Arthur W. Saha)", 'Novels', 'Mike Mars series', 'Writing about science fiction', 'See also', 'References', 'The "dhimma contract"', 'The dhimma contract and sharia law', 'The end of the dhimma contract', 'Views of modern Islamic scholars on the status of non-Muslims in an Islamic society', 'Traditions and customs', 'Lenten tradition', 'Symbolism and related customs', 'Colouring', 'Patterning', 'Use of Easter eggs in decorations', 'Easter egg games', 'Egg hunts', 'Egg rolling', 'Egg tapping', 'El Alamein', 'First Battle of El Alamein', 'Battle of Alam El Halfa', 'Second Battle of El Alamein', 'End of Africa campaign', 'Retreat across Africa', "Treatment of Tunisian civilians and Rommel's treasure", 'Tunisia', 'Treatment of Jews in German occupied Tunisia', 'Italy 1943', 'Algebraic notation', 'Alternative notation', 'Concepts', 'Variables', 'Simplifying expressions', 'Equations', 'Properties of equality', 'Properties of inequality', 'Definition', 'Participation', 'Employment contracts and pensions', 'Development', 'Registrations', 'See also', 'Notes', 'References'], ['See also', 'References'], ['Traditional narrative', "Events of Genshō's life", 'Kugyō', "Eras of Genshō's reign", 'Ancestry', 'See also', 'Notes', 'References', 'See also', 'References', 'Further reading'], ['Phonology', 'Grammar', 'Plural form', 'Verb conjugation', 'Double subject', 'Articles', 'Conjugation of yes and no', 'Vocabulary', 'Bibliography', 'Books and journals', 'Encyclopedias'], ['12": ZTT / WARTZ 3 United Kingdom', '12": ZTT / X ZIP 1 United Kingdom', '12": ZTT / XZTAS 3DJ United Kingdom', 'MC: ZTT / CTIS 103 United Kingdom', '2014 Digital Download #1: Two Tribes', '2014 Digital Download #2: War (Hidden)', 'References'], ['India', 'Indian fables with morals===', 'Europe', 'Modern era', 'Fabulists', 'Classic', 'Modern', 'Notable fable collections', 'See also', 'Notes', 'Early life', 'Television career', 'Feature films', 'Early films', 'Peak', 'Later work', 'Frequent collaborators', 'Personal life', 'Demographics', 'United States', 'Impact of family planning programs', 'Parental lineage', 'Characteristics', 'As children and adolescents', 'Rising divorce rates and women workforce participation', 'Conservative and neoliberal turn', 'The crack epidemic and AIDS', 'The rise of home computing', 'Plot', 'Cast', 'Production', 'Sex ratio', 'HIV/AIDS', 'Nationality', 'Ethnic groupsCIA "The World Factbook"', 'Religions {{cite web|url=', 'Languages ===', 'Literacy', 'School life expectancy (primary to tertiary education)', 'Unemployment, youth ages 15-24', 'References', 'Origin of term', 'Sequencing and mapping', 'Viral genomes', 'Prokaryotic genomes', 'History', 'Characteristics', 'Features', 'Stars', 'Deep-sky objects', 'See also', 'Notes', 'References', 'Cited text', 'Physiological roles', 'Receptor structure', 'Structure–function relationships', 'Mechanism', 'Ligand binding', 'Conformational change', 'G-protein activation/deactivation cycle', 'Crosstalk', 'Signaling', 'G-protein-dependent signaling', 'References', 'Further reading'], ['Further reading'], ['History', 'Star Trek', 'Vietnam War opposition and Aggiecon I', 'The Last Dangerous Visions', 'I, Robot', 'Allegations of assault on Charles Platt', '2006 Hugo Awards ceremony', 'Lawsuit against Fantagraphics', 'Copyright suits', 'Works', 'Awards', 'Etymology', 'History', 'Early history', 'Early life', 'Birth and family background', 'Education', 'Legal career', 'Early political career', 'World War II', 'Postwar ministerial career', 'Illness and death', 'Awards and honors', 'Legacy and tributes', 'In popular culture', 'Filmography', 'Notable radio appearances ==', 'See also', 'References', 'Bibliography'], ['References', 'Further reading'], ['Formation', 'Production', 'Collection', 'Preservation', 'Adulteration', 'Worldwide production', 'Modern uses', 'Food', 'Fermentation', 'Taxis', 'Auto', 'Rail', 'Commuter rail transport', 'Suburban rail', 'Metro', 'Monorail', 'Tram', 'Metrolite', 'International links', 'Geology', 'Demographics', 'See also', 'Citations', 'References', 'Pre-Ivy League', 'History of the athletic league', '19th and early 20th centuries', 'Post-World War II', 'Academics', 'Admissions', 'Prestige', 'Collaboration', 'Culture', 'Fashion and lifestyle', 'Sources'], ['Early life and career', 'Iceland', 'Italy', 'Latvia', 'Lithuania', 'Luxembourg', 'Montenegro', 'Netherlands', 'Norway', 'Poland', 'Portugal', 'Rabbinic hermeneutics', 'Jewish identity', 'Origin of the term "Judaism"', 'Distinction between Jews as a people and Judaism', 'Who is a Jew?', 'Jewish demographics', 'Jewish religious movements', 'Rabbinic Judaism', 'Sephardi and Mizrahi Judaism', 'Jewish movements in Israel', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['Etymology', 'Biblical background', 'War with Judah', 'Commentary on sources', 'References', 'Varietie of Lute-Lessons (1610)', 'A Musicall Banquet (1610)', 'A Pilgrimes Solace (1612)', 'Unpublished works', 'Suspicions of treason', 'Private life', 'Modern interpretations', 'Scores', 'Notes', 'References', 'Sources', 'Further reading'], ['Kolmogorov–Smirnov statistic', 'Kolmogorov distribution', 'Test with estimated parameters', 'Discrete and mixed null distribution', 'Two-sample Kolmogorov–Smirnov test']]



['Wikipedia: Digital cinema', 'Wikipedia: Electronic mixer', 'Wikipedia: Empress Kōken', 'Wikipedia: Fritz Leiber', 'Wikipedia: The Power of Love', 'Wikipedia: Foot', 'Wikipedia: Politics of Guinea', 'Wikipedia: GIA', 'Wikipedia: Hawaii', 'Wikipedia: Hezârfen Ahmed Çelebi', 'Wikipedia: History painting', 'Wikipedia: John the Baptist', 'Wikipedia: John James Audubon']
[[], ['History', 'Foundations', 'Dhimmi communities', 'Christians', 'Jews', 'Hindus and Buddhists', 'Restrictions', 'Jizya tax', 'Administration of law', 'Relevant texts', 'Quranic verses as a basis for Islamic policies toward dhimmis', 'Hadith', 'Egg dance', 'Pace egg plays', 'Variants', 'Chocolate eggs', 'Marzipan eggs', 'Artificial eggs', 'Legends', 'Christian traditions', 'Parallels in other faiths', 'See also', 'Atlantic Wall 1944', 'Plot against Hitler', 'Death', "Rommel's style as military commander", 'Relations with Italian forces', 'Views on the conduct of war', 'Combat', 'Politics', 'Civilians', 'Attitude to colonial troops', 'Substitution', 'Solving algebraic equations', 'Linear equations with one variable', 'Linear equations with two variables', 'Quadratic equations', 'Complex numbers', 'Exponential and logarithmic equations', 'Radical equations', 'System of linear equations', 'Elimination method', 'Additive mixers', 'Multiplicative mixers', 'Mathematical treatment', 'Implementations', 'Life and writings', 'Honors', 'Works', 'Books', 'Journal articles', 'References'], ['Traditional narrative', "Events of Kōken's life", 'Eras of her reigns', 'Legacy', 'Early years', 'Ancestry', 'Childhood', 'Education (1885–1887)', 'Early career', 'Silsbee and other early work experience (1887–1888)', 'Adler & Sullivan (1888–1893)', 'Transition and experimentation (1893–1900)', 'Prairie Style houses (1900–1914)', 'False friends', 'See also', 'References', 'Further reading'], ['History', 'Laws of dry friction', 'Dry friction', 'Normal force', 'Coefficient of friction', 'Approximate coefficients of friction', 'Kinetic friction', 'Angle of friction', 'Friction at the atomic level', 'Film and television', 'Music', 'Albums', 'Songs', 'See also', 'References', 'Etymology', 'Structure', 'Critical perception', 'Legacy', 'Filmography', 'Film', 'Television', 'Awards and nominations', 'References'], ['The post-civil rights generation', 'Generation X internationally', 'As young adults', 'Continued growth in college enrollments', 'Adjusting to a new societal environment', 'Birth of the slacker', 'Rise of the Internet and the dot-com bubble', 'Response to 9/11', 'In midlife', 'Achieving a work-life balance', 'Development', 'Creature design', 'Filming', 'English versions', 'Release', 'Box office', 'Critical reception', 'Home media', 'References'], ['Political history', 'Conté era (1984-2008)', '2008 coup and following', 'Eukaryotic genomes', 'Coding sequences', 'Noncoding sequences', 'Tandem repeats', 'Transposable elements', 'Retrotransposons', 'DNA transposons', 'Genome size', 'Genomic alterations', 'Genome-wide reprogramming'], ['People', 'Aviation', 'Gα signaling', 'Gβγ signaling', 'G-protein-independent signaling', 'Examples', 'GPCR-independent signaling by heterotrimeric G-proteins', 'Details of cAMP and PIP2 pathways', 'cAMP signal pathway', 'Phosphatidylinositol signal pathway', 'Receptor regulation', 'Phosphorylation by cAMP-dependent protein kinases', 'Biography', 'Works', 'Juvenilia', 'See also', 'Notes', 'References'], ['Industry', 'References'], ['Parodies and pastiches of Ellison', 'References', 'Informational notes', 'Citations', 'Further reading'], ['Founding of Helsinki', 'Twentieth century', 'Geography', 'Metropolitan area', 'Climate', 'Neighbourhoods and other subdivisions', 'Cityscape', 'Government', 'Demographics', 'Language', 'Treasurer (1958–1966)', 'Prime Minister (1966–1967)', 'Elections', 'Domestic policy', 'Economy', 'Immigration', 'Constitutional reform', 'The arts', 'Foreign policy', 'Vietnam War', 'Prestige', 'Development', 'History painting and historical painting', 'Name', 'Family and origin', "Methods of proving Hawaiian's linguistic relationships", 'History', 'First European contact', 'Folk tales', 'Written Hawaiian', 'Suppression of Hawaiian', '1949 to present', 'Niʻihau', 'Physical and chemical properties', 'Phase transitions', 'Rheology', 'Electrical and optical properties', 'Hygroscopy and fermentation', 'Thermal characteristics', 'Acid content and flavor effects', 'Volatile organic compounds', 'Classification', 'Floral source', 'High-speed rail', 'Light rail', 'Airways', 'Airports', 'Heliports', 'Water', 'Ports and shipping', 'Inland Waterways', 'Pipelines', 'Logistics', 'Vital statistics', 'Demographic statistics from the CIA World Factbook', 'Age structure', 'Population density', 'Sex ratio', 'Infant mortality rate', 'Life expectancy at birth', 'Nationality', 'Social elitism', 'U.S. presidents in the Ivy League', 'Student demographics', 'Race and ethnicity', 'Geographic distribution', 'Socioeconomics and social class', 'Competition and athletics', 'Teams', 'Historical results', 'Rivalries', 'First term as Prime Minister between 1966 and 1977', 'First year', '1967–1971', '1971–1977', 'Verdict on electoral malpractice', 'State of Emergency (1975–1977)', 'Rule by decree', 'Rise of Sanjay', '1977 election and opposition years', 'In opposition and return to power', 'Romania', 'Slovakia', 'Slovenia', 'Spain', 'Turkey', 'United Kingdom', 'United States', 'Non-NATO European air defense systems', 'Austria', 'Switzerland', 'Karaites and Samaritans', 'Haymanot (Ethiopian Judaism)', "Noahide (B'nei Noah movement)", 'Jewish observances', 'Jewish ethics', 'Prayers', 'Religious clothing', 'Jewish holidays', 'Shabbat', 'Three pilgrimage festivals', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], [], ['Gospel narratives', 'In Mark', 'Bibliography'], ['Generic information', 'Video and audio resources', 'Early life', 'Career', '1960s', '1970s', '1980s', '1990s', '2000s', '2010s', 'Political views', 'Personal life', 'Setting confidence limits for the shape of a distribution function', 'The Kolmogorov–Smirnov statistic in more than one dimension', 'Implementations', 'See also', 'References', 'Further reading'], []]



['Wikipedia: Easter', 'Wikipedia: Eubulides', 'Wikipedia: Edwin Abbott Abbott', 'Wikipedia: Emperor Junnin', 'Wikipedia: Welcome to the Pleasuredome (song)', 'Wikipedia: False etymology', 'Wikipedia: Godzilla vs. Biollante', 'Wikipedia: Gaia philosophy', 'Wikipedia: Galba', 'Wikipedia: List of glues', 'Wikipedia: Foreign relations of India', 'Wikipedia: Politics of the Isle of Man', 'Wikipedia: Invisible balance', 'Wikipedia: July 2', 'Wikipedia: Kansas']
[['Initiatives', 'Worldwide deployment', 'Elements', 'Technology and standards', 'Digital Cinema Initiatives', 'National Association of Theatre Owners', 'E-Cinema', 'Projectors for digital cinema', 'DLP Cinema', 'Sony SXRD', 'Constitution of Medina', 'Khaybar agreement', 'Pact of Umar', 'Cultural interactions and cultural differences', 'In modern times', 'See also', 'Notes', 'References', 'Further reading'], ['References'], ['Etymology', 'Spoils', 'Personal conduct', 'In Nazi and Allied propaganda', 'Successes in North Africa', 'Military reverses', "Rommel's views on propaganda", 'Relationship with National Socialism', 'Rommel myth', 'Foundational works', 'Elements of the myth', 'Substitution method', 'Other types of systems of linear equations', 'Inconsistent systems', 'Undetermined systems', 'Over- and underdetermined systems', 'See also', 'References'], ['Life', 'Paradoxes of Eubulides', 'Notes', 'Biography', 'Flatland', 'Bibliography', 'See also', 'Notes', 'References', 'Kugyō', 'Ancestry', 'Notes', 'References', 'See also', 'Notable public works (1900–1922)', 'Textile concrete block system', 'Midlife problems', 'Family abandonment', 'Catastrophe at Taliesin studio', 'Divorce and further troubles', 'Later career', 'Taliesin Fellowship', 'Usonian Houses', 'Significant later works', 'Life', 'Theater', 'Films', 'Writing career', 'Fafhrd and the Gray Mouser', 'Selected works', 'Fafhrd and the Gray Mouser series', 'Novels and novellas', 'Limitations of the Coulomb model', '"Negative" coefficient of friction', 'Numerical simulation of the Coulomb model', 'Dry friction and instabilities', 'Fluid friction', 'Lubricated friction', 'Skin friction', 'Internal friction', 'Radiation friction', 'Other types of friction', 'Original 1985 single', 'B-sides', 'Video', 'Bones', 'Arches', 'Muscles', 'Extrinsic', 'Anterior group', 'Posterior group', 'Intrinsic', 'Clinical significance', 'Pronation', 'Society and culture', 'Source and influence of false etymologies', 'Association with urban legends', 'Derivational-Only Popular Etymology (DOPE) versus Generative Popular Etymology (GPE)', 'See also'], ['Entrepreneurship as an individual trait', 'Benefits of a college education', 'Parenting and volunteering', 'Income differential with previous generations', 'Arts and culture', 'Music', 'Punk rock', 'Grunge', 'Hip hop', 'Indie films', 'Plot', 'Cast', 'Production', '2010 elections', '2013 violence', 'Ethnic politics', 'Executive branch', 'Legislative branch', 'Administrative divisions of Guinea', 'Political parties and elections', 'Presidential elections', 'Parliamentary elections', 'International organization participation', 'Genome evolution', 'In fiction', 'See also', 'References', 'Further reading'], ['Entertainment', 'Government and politics', 'Other uses', 'Phosphorylation by GRKs', 'Mechanisms of GPCR signal termination', 'GPCR cellular regulation', 'Receptor oligomerization', 'Origin and diversification of the superfamily', 'See also', 'References', 'Further reading'], ['Animal based adhesives', 'Plant based adhesives', 'Solvent type glues', 'Synthetic glues', 'Synthetic monomer glues', 'Synthetic polymer glues', 'Etymology', 'Spelling of state name', 'Geography and environment', 'Topography', 'Geology', 'Flora and fauna', 'Protected areas', 'Climate', 'History', 'First human settlement—Ancient Hawaii (800–1778)', 'Non-powered flight', 'Historic account', 'Site details', 'Modern era', 'References'], ['Immigration', 'Economy', 'Religion', 'Other religions', 'Education', 'Research universities', 'Other institutions of higher education', 'Culture', 'Museums', 'Theatres', '"All the way with LBJ"', 'Britain and the Commonwealth', 'Controversies', 'Disappearance', 'Personal life', 'Relationships', 'Personality', 'Religious beliefs', 'Memorials and other legacies', 'See also', 'The terms', '19th century', 'Gallery', 'See also', 'Notes', 'References', 'Further reading'], ['Origin', 'Glottal stop', 'Electronic encoding', 'Macron', 'Pronunciation', 'Phonology', 'Consonants', 'Vowels', 'Monophthongs', 'Diphthongs', 'Blended', 'Polyfloral', 'Monofloral', 'Honeydew honey', 'Classification by packaging and processing', 'Grading', 'Indicators of quality', 'Nutrition', 'Sugar profile', 'Medical use and research', 'Modernisation', 'See also', 'References'], ['National origin groups', 'Religions and others', 'Languages', 'References'], ['Intra-conference football rivalries', 'Extra-conference football rivalries', 'Championships', 'NCAA team championships', 'Athletic facilities', 'Other Ivies', 'Ivy Plus', 'See also', 'Notes', 'References', '1980 elections and third term', 'Operation Blue Star', 'Assassination', 'Foreign relations', 'South Asia', 'Middle East', 'Asia-Pacific', 'Africa', 'The Commonwealth', 'The Non-aligned Movement', 'References', 'Types of invisibles', 'Balance of payments and invisibles', 'High Holy Days', 'Purim', 'Hanukkah', 'Fast days', 'Israeli holidays', 'Torah readings', 'Synagogues and religious buildings', 'Dietary laws: kashrut', 'Laws of ritual purity', 'Family purity', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'In Matthew', 'In Luke and Acts', 'In the Gospel of John', 'Comparative analysis', "In Josephus' Antiquities of the Jews", 'Relics', 'Burial place', 'The head of Saint John the Baptist', 'The right hand of Saint John the Baptist', 'The decapitation cloth', 'Early life', 'Immigration to the United States', 'Banding experiment with Eastern Phoebes', 'Marriage and family', 'Starting out in business', 'Citizenship and debt', 'Early ornithological career', 'The Birds of America', 'Later career', 'In popular culture', 'Filmography', 'Film', 'Television', 'Awards and nominations', 'References', 'Further reading'], ['History', 'Geography', 'Geology', 'Topography', 'Rivers', 'National parks and historic sites']]



['Wikipedia: Doctor V64', 'Wikipedia: ERP', 'Wikipedia: ETA (separatist group)', 'Wikipedia: Emma Abbott', 'Wikipedia: Fallout shelter', 'Wikipedia: Finch', 'Wikipedia: Guam', 'Wikipedia: Economy of Guinea', 'Wikipedia: GTPase', 'Wikipedia: Geyser', 'Wikipedia: Hans Gerhard Creutzfeldt', 'Wikipedia: Heavy metal music', 'Wikipedia: Hyperbola', 'Wikipedia: Ithaca Hours', 'Wikipedia: Irreducible complexity', 'Wikipedia: January 11', 'Wikipedia: John Climacus']
[['Stereo 3D images', 'Laser', 'LED screen for digital cinema', 'Effect on distribution', 'Telecommunication', 'Live broadcasting to cinemas', 'Pros and cons', 'Pros', 'Cons', 'Costs', 'History', 'Promotions', 'Legal issues', 'Theological significance', 'Early Christianity', 'Date', 'Computations', 'Controversies over the date', 'First Council of Nicaea (325 AD)', 'Reform of the date', 'Table of the dates of Easter', 'Position in the church year', 'Western Christianity', 'Contradictions and ambiguities', 'Reputation as military commander', 'Family life', 'Awards', 'Posthumous honours', 'See also', 'References'], ['Medicine', 'People', 'Places', 'Politics and economics', 'Technology and management', 'References', 'Structure', 'Political support', 'Further reading'], ['Early life', 'Traditional narrative', 'Ascension and reign', 'Death and mausoleum', 'Kugyō', 'Consorts and children', 'Ancestry', 'Notes', 'References', 'Personal style and concepts', 'Design elements', 'Influences and collaborations', 'Community planning', 'Japanese art', 'Legacy', 'Death', 'Archives', 'Destroyed Wright buildings', "Unbuilt, or built after Wright's death", 'Collections', 'Plays', 'Essays', 'Poetry', 'Screen adaptations', 'See also', 'Notes', 'References', 'Further reading'], ['Rolling resistance', 'Braking friction', 'Triboelectric effect', 'Belt friction', 'Reducing friction', 'Devices', 'Lubricants', 'Energy of friction', 'Work of friction', 'Applications', 'Promotional releases', 'Chart performance', 'Weekly charts', 'Year-end charts', 'Track listing', '7": ZTT / ZTAS 7 (UK)', '7": ZTT / PZTAS 7 (UK)', '7": Island / 7-99653 (US)', '7": Island / 107 199 EP (Germany)', '12": ZTT / 12 ZTAS 7 (UK)', 'Other animals', 'Metaphorical and cultural usage', 'See also', 'References', 'Bibliography'], ['References', 'Notes', 'Systematics and taxonomy', 'Literature', 'Health problems', 'Offspring', 'See also', 'References'], ['Pre-production', 'Special effects', 'Music', 'English version', 'Release', 'Home media', 'Reception', 'Box office', 'Critical reaction', 'See also', 'See also', 'References', 'Economic history', 'Range of views', 'Gaia in biology and science', 'Gaia in the social sciences', 'Gaia in politics', 'Gaia in religion', 'Semantic debate', 'Gaian reproduction', 'Origins and family life', 'Public service', 'Emperor (June 68)', 'Rule', 'Mutiny on the frontier and assassination', 'See also', 'Notes', 'References', 'Citations', 'Bibliography', 'Functions', 'Mechanism', 'Major motifs', 'Heterotrimeric G proteins', 'Etymology', 'Form and function', 'Eruptions', 'European arrival', 'Kingdom of Hawaii', 'House of Kamehameha', '1887 Constitution and overthrow preparations', 'Overthrow of 1893—Republic of Hawaii (1894–1898)', 'Annexation—Territory of Hawaii (1898–1959)', 'Political changes of 1954—State of Hawaii (1959–present)', 'Demographics', 'Population', 'Ancestry', 'Biography', 'Later life', 'Personal life', 'See also', 'Music', 'Art', 'Media', 'Sports', 'Transport', 'Roads', 'Intercity rail', 'Aviation', 'Sea transport', 'Urban transport', 'Notes', 'References', 'Bibliography and further reading'], ['Etymology and history', 'Definition of a hyperbola as locus of points', 'Hyperbola in Cartesian coordinates', 'Equation', 'Eccentricity', 'Phonotactics', 'Historical development', 'Grammar', 'See also', 'Notes', 'References'], ['Wounds and burns', 'Antibiotic', 'Cough', 'Other', 'Health hazards', 'Botulism', 'Toxic honey', 'Folk medicine', 'In antiquity', 'Religious significance', 'History', 'Policy', 'Role of the Prime Minister', 'Ministry of External Affairs', 'Act East Policy', 'Strategic partners', 'Partnership agreements', 'Future agreements', 'India and its neighbourhoods regional relations', 'Executive branch', 'Legislative branch', 'Political parties and elections', 'Intervention of the United Kingdom', 'Judicial branch', 'See also', 'References'], [], ['The currency', 'Origin', 'Western Europe', 'Soviet Union and Eastern block countries', 'United States', 'Economic policy', 'Green Revolution and the Fourth Five-Year Plan', 'State of Emergency and the Fifth Five-Year Plan', 'Operation Forward and the Sixth Five-Year Plan', 'Inflation and unemployment', 'Domestic policy', 'Nationalisation', 'Balance of payments problems and the invisible balance', 'Definitions', 'History', 'Life-cycle events', 'Community leadership', 'Classical priesthood', 'Prayer leaders', 'Specialized religious roles', 'History', 'Origins', 'Antiquity', 'Historical Jewish groupings (to 1700)', 'Persecutions', 'References'], ['Events', 'Others', 'Religious views', 'Christianity', 'Influence on Paul', 'Catholic Church', 'Eastern Christianity', 'The Church of Jesus Christ of Latter-day Saints', 'Syrian-Egyptian Gnosticism', 'Mandaeans', 'Islam', 'Death', 'Art and methods', 'Dispute over accuracy', 'Legacy', 'Audubon in fiction and poetry', 'Places named in his honor', 'Works', 'Posthumous collections', 'See also', 'References', 'History', 'See also', 'References'], ['Flora and fauna', 'Climate', 'Demographics', 'Ancestry', 'Language', 'Religion', 'Settlement', 'Birth data', 'Regions', 'Northeast Kansas']]



['Wikipedia: Democratic Progressive Party', 'Wikipedia: De Havilland Mosquito', 'Wikipedia: Edmund Husserl', 'Wikipedia: Ernest Thayer', 'Wikipedia: Emperor Heizei', 'Wikipedia: Flanders', 'Wikipedia: February 7', 'Wikipedia: Terror of Mechagodzilla', 'Wikipedia: Greenhouse effect', 'Wikipedia: Giga-', 'Wikipedia: Holmium', 'Wikipedia: Second Polish Republic', 'Wikipedia: Hengist and Horsa', 'Wikipedia: Economy of the Isle of Man', 'Wikipedia: Interstellar cloud', 'Wikipedia: July 3', 'Wikipedia: John Masefield', 'Wikipedia: Jerome Callet']
[['List of companies', 'See also', 'References', 'Bibliography', 'Filmography'], ['Main menu', 'Specifications', 'Additional information', 'References', 'Eastern Christianity', 'Non-observing Christian groups', 'Easter celebrations around the world', 'Easter eggs', 'Easter Bunny', 'Music', 'See also', 'Footnotes', 'References'], ['Life and career', 'Youth and education', 'Professor of philosophy', 'Heidegger and the Nazi era', 'Development of his thought', 'See also', 'Biography', 'References', 'Social support', 'Opinion polls', 'History', "During Franco's dictatorship", 'During the transition', 'GAL', 'Human rights', 'Under democracy', '2006 ceasefire declaration and subsequent discontinuation', '2008 to present', 'Career', 'Abbott English Opera Company', 'Death', 'References', 'Citations', 'Bibliography'], ['See also', 'Traditional narrative', "Events of Heizei's life", 'Recognition', 'Family', 'Selected works', 'See also', 'References', 'Further reading', "Wright's philosophy", 'Biographies', "Surveys of Wright's work", 'Selected books about specific Wright projects', 'Terminology', 'In Belgium', 'In Belgium and neighbouring countries', 'Transportation', 'Measurement', 'Household usage', 'See also', 'References'], ['12": ZTT / 12 XZTAS 7 (UK)', '12": Island / 0-96889 (US)', 'MC: ZTT / CTIS 107 (UK)', 'Reissues', 'CD: ZTT / FGTH2CD United Kingdom', '12": ZTT / FGTH2T United Kingdom', 'CD: ZTT / ZTT 166CD United Kingdom', 'CD: Avex / AVTCDS-296 Japan', '12": ZTT / ZTT 166 T United Kingdom', '2x12": ZTT / ZTT 166 TP United Kingdom', 'History', 'North America', 'Europe', 'Switzerland', 'Details of shelter construction', 'Shielding', 'Climate control', 'Fossil record', 'Etymology', 'Description', 'Distribution and habitat', 'Behaviour', 'List of genera', 'Gallery', 'See also', 'References', 'Sources', 'History', 'Pre-Contact era', "Magellan's travel to Guam", 'Spanish colonization and the Manila galleons', 'Internal conflicts', 'Expulsion of the Jesuits', 'Post-Napoleonic era', 'References'], ['Plot', 'Economic sectors', 'Mining', 'Agriculture', 'Energy', 'Communications', 'Economic statistics', 'See also', 'Further reading', 'References'], ['See also', 'Books on Gaia', 'References'], [], ['Primary sources', 'Secondary sources', 'Small GTPases', 'Translation factor family', 'Translocation factors', 'Large GTPases', 'See also', 'References'], ['General categorization', 'Biology', 'Major geyser fields and their distribution', 'Yellowstone National Park, U.S.', 'Valley of Geysers, Russia', 'El Tatio, Chile', 'Taupo Volcanic Zone, New Zealand', 'Iceland', 'Extinct and dormant geyser fields', 'Misnamed geysers', 'Languages', 'Hawaiian', 'Hawaiian Pidgin', 'Hawaiʻi Sign Language', 'Religion', 'Birth data', 'LGBT', 'Economy', 'Taxation', 'Cost of living', 'References', 'Characteristics', 'Physical properties', 'International relations', 'Notable people', 'Born before 1900', 'Born after 1900', 'See also', 'Notes', 'References'], ['Characteristics', 'Musical language', 'Rhythm and tempo', 'Harmony', 'Typical harmonic structures', 'Relationship with classical music', 'Lyrical themes', 'Image and fashion', 'Physical gestures', 'Asymptotes', 'Semi-latus rectum', 'Tangent', 'Rectangular hyperbola', 'Parametric representation with hyperbolic sine/cosine', 'Conjugate hyperbola', 'Hyperbolic functions', 'Hyperbola with equation y', 'Definition of a hyperbola by the directrix property', 'Hyperbola as plane section of a cone', 'Background', 'End of World War I', 'Formation of the Republic', 'Politics and government', 'Chief of State', 'Presidents', 'See also', 'References', 'Bibliography'], ['SAARC', 'Afghanistan', 'Bangladesh', 'Bhutan', 'Burma/Myanmar', 'China', 'Maldives', 'Nepal', 'Pakistan', 'Sri Lanka', 'Economic performance', 'Economic Strategy', 'Taxation and trade', 'Management and philosophy', 'Economic development', 'See also', 'References'], ['Administration', 'Social reform', 'Language policy', 'National security', "India's nuclear programme", 'Family, personal life and outlook', 'Views on women', 'Legacy', 'Posthumous honours', 'See also', 'Forerunners', 'Up to the 18th century', '19th century', '20th century', 'Origins', 'The mousetrap example', 'Consequences', 'Stated examples', 'Blood clotting cascade', 'Eye', 'Hasidism', 'The Enlightenment and new religious movements', 'Spectrum of observance', 'Judaism and other religions', 'Christianity and Judaism', 'Islam and Judaism', 'Syncretic movements incorporating Judaism', 'See also', 'References', 'Bibliography', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['Quran', 'Name', "Bahá'í view", 'Unification Church', 'Scholarship', 'In art', 'In poetry', 'In music', 'In film and television', 'Commemoration', 'Citations', 'Bibliography'], ['References', 'Bibliography'], ['Wichita', 'Around the state', 'Southeast Kansas', 'Central and North-Central Kansas', 'Northwest Kansas', 'Southwest Kansas', 'Economy', 'Taxes', 'Transportation', 'Highways']]



['Wikipedia: Euphoria (disambiguation)', 'Wikipedia: List of English-language poets', 'Wikipedia: Epimetheus (disambiguation)', 'Wikipedia: Emperor Shōmu', 'Wikipedia: Filk music', 'Wikipedia: Rage Hard', 'Wikipedia: Facilitated diffusion', 'Wikipedia: Telecommunications in Guinea', 'Wikipedia: George Stephenson', 'Wikipedia: Galla Placidia', 'Wikipedia: Hobart', 'Wikipedia: Intergovernmentalism', 'Wikipedia: John Stuart Mill', 'Wikipedia: History of Java']
[['History', '2000–2008: in minority government', 'Separate identity', '2008–2016: back to opposition', '2016–present: in majority government', 'Policies', 'Structure', 'Development', 'Air Ministry bomber requirements and concepts', 'Inception of the de Havilland fast bomber', 'Project Mosquito', 'Prototypes and test flights', 'Production plans and American interest', 'Design and manufacture', 'Overview', 'Performance', 'Liturgical', 'Traditions', 'Calculating', 'Several early themes', 'The elaboration of phenomenology', "Husserl's thought", 'Meaning and object', 'Philosophy of logic and mathematics', 'Husserl and psychologism', 'Philosophy of arithmetic and Frege', "Husserl's criticism of psychologism", 'Influence', 'Bibliography'], ['A', 'Aa–Al', '2010 ceasefire', '2011 permanent ceasefire and cessation of armed activity', 'End of political activity', 'Victims, tactics and attacks', 'Victims', 'Tactics', 'Attacks', 'Activity', 'Financing', 'Basque nationalist context', 'See also', "Era of Heizei's reign", 'Kugyō', 'Consorts and children', 'Ancestry', 'See also', 'Notes', 'References'], ['Etymology and definitions', 'Definitions', 'Dutch-speaking part of Belgium', 'History', 'Early history', 'Historical Flanders', 'Low Countries', 'Beeldenstorm', "The Eighty Years' War and its consequences", 'Southern Netherlands (1581–1795)', 'French Revolution and Napoleonic France (1795–1815)', 'United Kingdom of the Netherlands (1815–1830)', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['12": ZTT / ZTT 166 TPX United Kingdom', 'Digital download (regular)', 'Digital download (Fruitness)', 'Other versions', 'References'], ['Locations', 'Contents', 'Kearny fallout meter', 'Use', 'Different types of radiation emitted by fallout', 'Alpha (α)', 'Beta (β)', 'Gamma (γ)', 'Weapons versus nuclear accident fallout', 'Other matters and simple improvements'], ['In vivo model of facilitated diffusion', 'Intracellular facilitated diffusion', 'Spanish–American War', 'World War II', 'American colonization', 'Vietnam War and later', 'Geography', 'Climate', 'Demographics', 'Ethnic groups', 'Language', 'Religion', 'Cast', 'Production', 'Development', 'Filming', 'English version', 'Box office', 'Home media', 'References'], ['Radio and television', 'State censorship', 'Telephones', 'History', 'Description', 'Details', 'Greenhouse gases', 'Role in climate change', 'Real greenhouses', 'Related effects', 'Anti-greenhouse effect', 'Runaway greenhouse effect', 'Pronunciation', 'Common usage', 'Binary prefix', 'See also', 'References'], ['Family', 'Early life', 'First marriage', 'Second marriage', 'Widow', 'Regent', 'Artificial geysers', 'Perpetual spouter', 'Commercialization', 'Cryogeysers', 'See also', 'Notes', 'References'], ['Culture', 'Cuisine', 'Customs and etiquette', 'Hawaiian mythology', 'Polynesian mythology', 'List of state parks', 'Literature', 'Music', 'Sports', 'Tourism', 'Chemical properties', 'Isotopes', 'History', 'Occurrence and production', 'Applications', 'Biological role', 'Toxicity', 'See also', 'References'], ['History', 'Geography', 'Topography', 'Climate', 'Demographics', 'Fan subculture', 'Etymology', 'History', 'Antecedents: 1950s to late 1960s', 'Origins: late 1960s and early 1970s', 'Mainstream: late 1970s and 1980s', 'Other heavy metal genres: 1980s, 1990s, and 2000s', 'Thrash metal', 'Death metal', 'Black metal', 'Pin and string construction', 'The tangent bisects the angle between the lines to the foci', 'Midpoints of parallel chords', 'Steiner generation of a hyperbola', 'Inscribed angles for hyperbolas y', 'Orthogonal tangents – orthoptic', 'Pole-polar relation for a hyperbola', 'Hyperbola as an affine image of the unit hyperbola x² − y²', 'Hyperbola as an affine image of the hyperbola y', 'Tangent construction', 'Prime ministers', 'Military', 'Economy', 'Major industrial centers', 'Transport', 'Agriculture', 'German trade', 'Education and culture', 'Administrative division', 'Demographics', 'Etymology', 'Attestations', 'Ecclesiastical History of the English People', 'Anglo-Saxon Chronicle', 'History of the Britons', 'History of the Kings of Britain', 'Book 6', 'Book 8', 'Prose Edda', 'Indo–Pacific countries relations', 'Australia', 'Brunei', 'Fiji', 'Indonesia', 'Japan', 'Laos', 'Malaysia', 'Nauru', 'New Zealand', 'Tax rates', 'Trade', 'Tax transparency and the offshore banking debate', 'Sectors', 'Finance Sector', 'eGaming & ICT', 'Filmmaking and Digital Media', 'Motorsports', 'Tourism', 'Infrastructure', 'Chemical compositions', 'Unexpected chemicals detected in interstellar clouds', 'High-velocity cloud', 'See also', 'References'], ['References', 'Notes', 'Sources', 'Further reading'], ['Flagella', 'Cilium motion', "Bombardier beetle's defense mechanism", 'Response of the scientific community', 'Reducibility of "irreducible" systems', 'Gradual adaptation to new functions', 'Methods by which irreducible complexity may evolve', 'Falsifiability and experimental evidence', 'Argument from ignorance', 'False dilemma'], ['Biography', 'Works and theories', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['See also', 'Notes', 'References', 'Citations', 'Sources', 'Islamic view', 'Passages in the Quran'], ['Biography', 'Early life', 'From the First World War to appointment as Poet Laureate', 'Encouraging the speaking of verse', 'Later years and death', 'Song settings', 'Selected works', 'Collections of poems', 'Prose fiction', 'Plays', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Interstate Highways', 'U.S. Routes', 'Aviation', 'Rail', 'Passenger Rail', 'Freight Rail', 'Law and government', 'State and local politics', 'Political culture', 'National politics']]



['Wikipedia: Emperor Saga', 'Wikipedia: Faith', 'Wikipedia: History of the Federated States of Micronesia', 'Wikipedia: Godzilla vs. King Ghidorah', 'Wikipedia: Transport in Guinea', 'Wikipedia: Group homomorphism', 'Wikipedia: Gaussian elimination', 'Wikipedia: Hafnium', 'Wikipedia: Imhotep', 'Wikipedia: Religion in pre-Islamic Arabia', 'Wikipedia: July 4', 'Wikipedia: Jehoram', 'Wikipedia: Joseph McCarthy', 'Wikipedia: Java (board game)']
[['Chair', 'Secretary-General', 'Legislative Yuan leader (caucus leader)', 'Election results', 'Presidential elections', 'Legislative elections', 'Local elections', 'National Assembly elections', 'See also', 'Notes', 'Fuselage', 'Wing', 'Systems', 'Operational history', 'Variants', 'Prototypes', 'Photo-reconnaissance', 'Bombers', 'Fighters', 'Night fighters', 'Biology', 'Music', 'Groups', 'Albums', 'Songs', 'Film and television', 'Computing', 'Sports', 'Others', 'See also', 'Primary literature', 'In German', 'In English', 'Anthologies', 'In Arabic', 'Secondary literature', 'See also', 'Notes', 'Citations', 'Further reading', 'Am–Az', 'B', 'Ba', 'Be–Bo', 'Br–By', 'C', 'Ca–Ci', 'Cl', 'Co–Cu', 'D', 'French role', 'Government response', 'International response', 'Other related armed groups', 'Disbanded violent groups', 'Extant', 'International links', 'In the media', 'Films', 'Documentary films', 'Traditional narrative', "Events of Shōmu's reign", "Emperor Shōmu's tour to the eastern provinces", 'Timeline', 'Legacy', 'Kugyō', "Eras of Shōmu's life", 'Consorts and children', 'Traditional narrative', "Events of Saga's life", "Eras of Saga's reign", 'Legacy', 'Daikaku-ji', 'Kugyō', 'Style and content', 'Performer', 'Sociology', 'Styles and subjects', 'History', 'Filk circles', 'Physical layout', 'Time of day', 'Musical instruments', 'Song presentation', 'Kingdom of Belgium', 'Rise of the Flemish Movement', 'World War I and its consequences', 'Right-Wing Nationalism in the interbellum and World War II', 'Flemish autonomy', 'Government and politics', 'Politics', 'Flemish independence', 'Geography', 'Administrative divisions', 'Etymology', 'Stages of faith development', 'Stages of faith', 'Religious views', 'Background', 'B-sides', 'Track listing', '7": ZTT / ZTAS 22 United Kingdom', '7": ZTT / ZTAX 22 United Kingdom', '12": ZTT / 12 ZTAS 22 United Kingdom', '12": ZTT / 12 ZTAX 22 United Kingdom', 'Measures to lower the beta dose', 'Measures to lower the gamma dose rate', 'Fallout shelters in popular culture', 'See also', 'Notes and references'], ['Facilitated diffusion of proteins on Chromatin', 'For oxygen', 'For carbon monoxide', 'For glucose', 'See also', 'References'], ['Culture', 'Sports', 'Economy', 'Telecommunications', 'Government and politics', 'Political status', 'Villages', 'Military bases', 'Transportation and communications', 'Ecology', 'Plot', 'Cast', 'Production', 'Conception', 'Internet', 'Internet censorship and surveillance', 'See also', 'References'], ['Bodies other than Earth', 'See also', 'References', 'Further reading'], ['Childhood and early life', "The miner's safety lamp", 'Early locomotives', 'Hetton Railway', 'Stockton and Darlington Railway', 'Liverpool and Manchester Railway', "Stephenson's skew arch bridge", 'Conflict between Bonifacius and Aetius', 'Rise of Aetius', 'Public works', 'In literature', 'In popular culture', 'Notes', 'References', 'Further reading'], ['Definitions and example of algorithm', 'Row operations', 'Echelon form', 'Example of the algorithm', 'History', 'Health', 'Education', 'Public schools', 'Private schools', 'Colleges and universities', 'Transportation', 'Rail', 'Governance', 'Political subdivisions and local government', 'State government', 'Characteristics', 'Physical characteristics', 'Chemical characteristics', 'Ancestry and immigration', 'Language', 'Religion', 'Economy', 'Antarctic gateway', 'Tourism', 'Architecture', 'Culture', 'Arts and entertainment', 'Events', 'Power metal', 'Doom metal', '1990s and early 2000s subgenres and fusions', 'Recent styles: mid–late 2000s and 2010s', 'Women in heavy metal', 'Sexism', 'See also', 'Notes', 'References', 'Bibliography', 'Point construction', 'Tangent-asymptotes-triangle', 'Polar coordinates', 'Parametric equations', 'Other mathematical definitions', 'Reciprocation of a circle', 'Quadratic equation', 'Conic section analysis of the hyperbolic appearance of circles', 'Arc length', 'Derived curves', 'Largest cities in the Second Polish Republic', 'Prewar population density', 'Status of ethnic minorities', 'Jews', 'Ukrainians', 'Geography', 'Waters', 'German–Soviet invasion of Poland in 1939', 'See also', 'References', 'Horse-head gables', 'Theories', 'Finnsburg Fragment and Beowulf', 'Germanic twin brothers and divine Indo-European horse twins', 'Uffington White Horse', 'Aschanes', 'Modern influence', 'See also', 'Notes', 'References', 'North Korea', 'Papua New Guinea', 'Philippines', 'Samoa', 'Singapore', 'South Korea', 'Thailand', 'Vietnam', 'ASEAN', "India's relationship with Americas", 'Electricity', 'Broadband', 'Travel links', 'Statistics', 'See also', 'Notes', 'References', 'Historicity', 'Architecture and engineering', 'Deification', 'Medicine', 'In popular culture', 'Regional integration', 'European Integration', 'African Integration', 'See also', 'References', 'In the Dover trial', 'Notes and references', 'Further reading'], ['A System of Logic', 'Theory of liberty', 'Social liberty and tyranny of majority', 'Liberty', 'Freedom of speech', 'Harm principle', 'Colonialism', 'Slavery and racial equality', "Women's rights", 'Utilitarianism', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'References', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Human name disambiguation pages', 'Non-fiction and autobiographical', 'References', 'Further reading'], ['Electronic editions', 'Short description is different from Wikidata'], ['State laws', 'Education', 'Culture', 'Music', 'Literature', 'Film', 'Television', 'Sports', 'Professional', 'College']]



['Wikipedia: Datura', 'Wikipedia: Euclid', 'Wikipedia: Electrical engineering', 'Wikipedia: Emperor Kanmu', 'Wikipedia: Emperor Junna', 'Wikipedia: McDonnell Douglas F-15 Eagle', 'Wikipedia: Godzilla vs. Mothra', 'Wikipedia: Galicia (Spain)', 'Wikipedia: Helvetii', 'Wikipedia: Hedwig', 'Wikipedia: Hero System', 'Wikipedia: Communications in the Isle of Man', 'Wikipedia: Ictinus', 'Wikipedia: Individualism', 'Wikipedia: John Lennon', 'Wikipedia: John Brunner (novelist)', 'Wikipedia: John Radcliffe (physician)']
[['Words in native languages', 'References'], ['Strike ("fighter-bomber") variants', 'Trainers', 'Torpedo-bombers', 'Target tugs', 'Canadian-built', 'Australian-built', 'Highball', 'Production', 'Canada', 'Exports', 'Biography', 'Elements', 'Fragments'], ['Husserl archives', 'Other links', 'Da–Do', 'Dr–Dy', 'E', 'F', 'G', 'Ga–Go', 'Gr–Gy', 'H', 'Ha–He', 'Hi–Hu', 'Other fact-based films about ETA', 'Fictional films featuring ETA members and actions', 'Novels', 'Art exhibitions', 'See also', 'Notes', 'References', 'Bibliography'], ['Ancestry', 'See also', 'Notes', 'References'], ['Consorts and children', 'Ancestry', 'See also', 'Notes', 'References'], ['Types', 'Bardic', 'Chaos', 'Token bardic', 'Etiquette', 'Cultural perspective', 'Pegasus Awards', 'Filk Hall of Fame', 'See also', 'References', 'Climate', 'Economy', 'Infrastructure', 'Demographics', 'Religion', 'Education', 'Healthcare', 'Culture', 'Language and literature', 'Languages', "Bahá'í Faith", 'Buddhism', 'Christianity', 'Christian apologetic views', 'Catholicism', 'The Church of Jesus Christ of Latter-day Saints', 'Hinduism', 'Islam', 'Judaism', 'Sikhism', 'CD: ZTT / CD ZCID 22 United Kingdom', '12": Island / DMD 987 United States', 'Digital download: ZTT', '1993 Version', 'Chart performance', 'Weekly charts', 'Year-end charts', 'References'], ['Pre-colonial history', 'Pohnpei', 'European colonization', 'Empire of Japan', 'Trusteeship', 'Independence', 'See also', 'Development', 'Early studies', 'Smaller, lighter', 'Focus on air superiority', 'Further development', 'Design', 'Brown tree snake', 'Coconut rhinoceros beetle', 'Other invasive animal species', 'Threats to indigenous plants', 'Wildfires', 'Aquatic preserves', 'Education', 'Colleges and universities', 'Primary and secondary schools', 'Public libraries', 'Special effects', 'Home media', 'Reception', 'Controversy', 'References'], ['Railways', 'Cities served by rail', 'Proposed North Trans-Guinean Railway', 'Northern line', 'Central line', 'Southern line', 'South Western line', 'Proposed South Trans-Guinean Railway', 'Intuition', 'Types of group homomorphism', 'Image and kernel', 'Examples', 'The category of groups', 'Homomorphisms of abelian groups', 'See also', 'References', 'Life at Alton Grange', 'Later career', 'Personal life', 'Descendants', 'Legacy', 'Memorials and commemorations', 'See also', 'References', 'Biographical works'], ['History', 'Prehistory and antiquity', 'Early Middle Ages', 'High and Low Middle Ages', 'Applications', 'Computing determinants', 'Finding the inverse of a matrix', 'Computing ranks and bases', 'Computational efficiency', 'Generalizations', 'Pseudocode', 'See also', 'Notes', 'References', 'Federal government', 'Politics', 'State police', 'Hawaiian sovereignty movement', 'International sister relationships', 'See also', 'References'], ['Isotopes', 'Occurrence', 'Production', 'Chemical compounds', 'History', 'Applications', 'Nuclear reactors', 'Alloys', 'Microprocessors', 'Isotope geochemistry', 'Sport', 'Media', 'Government', 'Infrastructure', 'Education', 'Health', 'Transport', 'Notable residents', 'Arts', 'Sports'], ['Name', 'Tribal organisation', 'Elliptic coordinates', 'Other properties of hyperbolas', 'Applications', 'Sundials', 'Multilateration', 'Path followed by a particle', 'Korteweg–de Vries equation', 'Angle trisection', 'Efficient portfolio frontier', 'Biochemistry', 'Further reading', 'Politics and diplomacy', 'Social and economic topics', 'Primary sources', 'Historiography'], [], ['System features', 'Character creation', 'Antigua and Barbuda', 'Argentina', 'Barbados', 'Belize', 'Brazil', 'Canada', 'Colombia', 'Cuba', 'Jamaica', 'Mexico', 'Telecommunications', 'Telegraph', 'Teleport', 'Telephones', 'Submarine communications cables in service', 'Telecoms service providers', 'See also', 'References', 'Further reading'], ['Etymology', 'Individual', 'Individuation principle', 'Individualism and society', 'Methodological individualism', 'Competitive individualism', 'Background and sources', 'Worship', 'Deities', 'Minor spirits', 'Malevolent beings', 'Roles of deities', 'Role of Allah', 'Al-Lat, al-Uzza and Manat', 'Mythology', 'Higher and lower pleasures', 'Chapters', 'Economic philosophy', 'Economic democracy', 'Political democracy', 'Theories of wealth and income distribution', 'The environment', 'Rate of profit', 'In popular culture', 'Major publications'], ['Biography', '1940–1957: Early years', 'Short description is different from Wikidata', 'Life', 'Literary works', 'Early life and career', 'Military service', 'Senate campaign', 'United States Senate', '"Enemies within"', 'Tydings Committee', 'Fame, notoriety, and personal life', 'McCarthy and the Truman administration', 'Life', 'Anecdotes of Radcliffe', 'Medical institutions named after Radcliffe', 'Works', 'NCAA Division I schools', 'NCAA Division II schools', 'Junior Colleges', 'High school', 'Notable people', 'Landmarks', 'See also', 'References', 'Bibliography'], []]



['Wikipedia: Endomembrane system', 'Wikipedia: Frisbee', 'Wikipedia: Freud (disambiguation)', 'Wikipedia: Liverpool (album)', 'Wikipedia: Politics of the Federated States of Micronesia', 'Wikipedia: Game Boy family', 'Wikipedia: Group isomorphism', 'Wikipedia: Grapheme', 'Wikipedia: Guantanamo Bay Naval Base', 'Wikipedia: Hearse', 'Wikipedia: Hamburg', 'Wikipedia: HMS Resolution', 'Wikipedia: Isidore of Miletus', 'Wikipedia: Joual', 'Wikipedia: K']
[['Etymology', 'Description', 'Species and cultivars', 'Past classified species', 'Cultivation', 'Toxicity', 'Effects of ingestion', 'Psychoactive use', 'Treatment', 'Gallery', 'Sites', 'Civilian accidents and incidents', 'Operators', 'Surviving aircraft', 'Specifications (B Mk.XVI)', 'Notable appearances in media', 'See also', 'References', 'Notes', 'Citations', 'Other works', 'Lost works', 'Legacy', 'See also', 'References', 'Works cited', 'Further reading'], ['History', '19th century', 'Early 20th century', 'Solid-state electronics', 'Subfields', 'Power', 'Control', 'Electronics', 'Microelectronics and nanoelectronics', 'Signal processing', 'I', 'J', 'K', 'L', 'La–Ln', 'Lo–Ly', 'M', 'Ma–Mi', 'Mo–Mu', 'N', 'History of the concept', 'Components of the system', 'Nuclear envelope', 'Endoplasmic reticulum', 'Traditional narrative', "Events of Kammu's life", "Eras of Kammu's reign", 'Politics', 'Kugyō', 'Consorts and children', 'Ancestry', 'Legacy', 'Traditional narrative', "Events of Junna's life", "Eras of Junna's reign", 'Kugyō', 'Consorts and children', 'Ancestry', 'Notes', 'Further reading'], ['History', 'Media', 'Sports', 'Music', 'See also', 'Notes', 'References', 'Epistemological validity', 'Fideism', 'Support', 'Criticism', 'See also', 'References', 'Sources', 'Further reading', 'Classic reflections on the nature of faith', 'The Reformation view of faith', 'Track listing', 'Singles', '2-CD Deluxe Edition', 'Chart performance', 'Notes', 'References'], ['Overview', 'Avionics', 'Weaponry and external stores', 'Upgrades', 'Operational history', 'Introduction and early service', 'Anti-satellite trials', 'Gulf War and aftermath', 'Structural defects', 'Recent service', 'Health care', 'Film-making', 'See also', 'References'], ['Plot', 'Cast', 'Production', 'Special effects', 'Release', 'Critical reaction', 'Home media', 'Timeline', '2008', '1994', 'Statistics', 'Highways', 'Waterways', 'Ports and harbors', 'Merchant marine', 'Airports', 'Airports - with paved runways'], ['Definition and notation', 'Examples', 'Notation', 'Glyphs', 'Types of grapheme', 'Early Modern', 'Late Modern and Contemporary', 'Geography', 'Topography', 'Hydrography', 'Environment', 'Biodiversity', 'Climate', 'Government and politics', 'Local government', 'Units and commands', 'Resident units', 'Assigned units', 'History', 'First Call vehicles', 'Rail transport', 'Motorcycle hearses', 'Modern usage', 'Other uses', 'Precautions', 'See also', 'References'], ['Others', 'Sister cities', 'See also', 'Notes', 'References', 'Further reading'], ['History', 'Earliest historical sources and settlement', 'First contact with the Romans', 'Caesar and the Helvetian campaign of 58 BC', 'Prelude', 'Battle of the Saône', 'Battle of Bibracte', 'Return of the migrants', "Caesar's report of the numbers", 'Questions of motive', 'Hyperbolas as plane sections of quadrics', 'See also', 'Other conic sections', 'Other related topics', 'Notes', 'References'], ['See also', 'Powers', 'Point Cost', 'Power Frameworks', 'Publishing history', 'Computer Release', 'References'], ['Nicaragua', 'Panama', 'Paraguay', 'Trinidad & Tobago', 'United States', 'After the Cold War', 'Pokhran tests reaction', 'Venezuela', "India's relationship with European countries", 'Armenia', 'Mobile telephones', 'Internet', 'Broadcasting', 'Radio', 'Transmitters', 'Television', 'Post', 'See also', 'References'], ['References', 'Sources', 'Political individualism', 'Liberalism', 'Autarchism', 'Individualist anarchism', 'Philosophical individualism', 'Ethical egoism', 'Egoist anarchism', 'Existentialism', 'Freethought', 'Humanism', 'Practices', 'Cult images and idols', 'Sacred places', 'Priesthood and sacred offices', 'Pilgrimages', 'South Arabian pilgrimages', 'Meccan pilgrimage', 'Cult associations', 'Divination', 'Offerings and ritual sacrifice', 'See also', 'Notes', 'References', 'Further reading'], ["Mill's works", 'Secondary works', 'Further information', '1956–1970: The Quarrymen to the Beatles', '1956–1966: Formation, fame and touring', '1966–1970: Studio years, break-up and solo work', '1970–1980: Solo career', '1970–1972: Initial solo success and activism', '1973–1975: "Lost weekend"', '1975–1980: Hiatus and return', '8 December 1980: Murder', 'Personal relationships', 'Cynthia Lennon', 'Film and TV', 'Bibliography', 'Science-fiction and fantasy novels', 'Spy', 'Collections', 'Poetry', 'Nongenre', 'Pornography', 'Translations', 'References', 'Support from Roman Catholics and the Kennedy family', 'McCarthy and Eisenhower', 'Senate Permanent Subcommittee on Investigations', 'Investigating the army', 'Army–McCarthy hearings', 'Edward R. Murrow, See It Now', '"Joe Must Go" recall attempt', 'Public opinion', 'Censure and the Watkins Committee', 'Final years', 'Further reading', 'References', 'History', 'History', 'Pronunciation and use', 'English']]



['Wikipedia: Commutator subgroup', 'Wikipedia: Dave Thomas (businessman)', 'Wikipedia: Errol Morris', 'Wikipedia: Elizabeth I', 'Wikipedia: Kōmyō', 'Wikipedia: History of the Falkland Islands', 'Wikipedia: Plurality voting', 'Wikipedia: Flavian', 'Wikipedia: Faroese language', 'Wikipedia: Godzilla (1954 film)', 'Wikipedia: Republic of Guinea Armed Forces', 'Wikipedia: Geographic information system', 'Wikipedia: Glass', 'Wikipedia: Hesiod', 'Wikipedia: Humayun', 'Wikipedia: Helen Keller', 'Wikipedia: Humphry Davy', 'Wikipedia: Transport in the Isle of Man', 'Wikipedia: International Atomic Energy Agency', 'Wikipedia: Junk science', 'Wikipedia: Jack Butler Yeats']
[['See also', 'References', 'Further reading'], ['Bibliography', 'Further reading'], ['Biography', 'Early life', 'Unfinished project on Ed Gein', 'First films', 'The Thin Blue Line', 'Telecommunications', 'Instrumentation', 'Computers', 'Related disciplines', 'Education', 'Professional practice', 'Tools and work', 'See also', 'Notes', 'References', 'O', 'P', 'Q', 'R', 'Ra–Ri', 'Ro–Ru', 'S', 'Sa–Si', 'Sk–Sq', 'St–Sy', 'Functions of the smooth ER', 'Functions of the rough ER', 'Golgi apparatus', 'Vacuoles', 'Vesicles', 'Lysosomes', 'Spitzenkörper', 'Plasma membrane', 'Evolution', 'References', 'See also', 'Notes', 'References', 'References', 'See also', 'All article disambiguation pages', 'Disc sports', 'See also', 'Notes', 'References', 'Further reading'], ['Arts and entertainment', 'People with the surname', 'See also'], ['Religious leaders', 'Ships', 'Personnel', 'Certifications', 'References', 'Executive branch', 'Cabinet', 'Legislative branch', 'Judicial branch', 'Political parties and elections', 'Government Agencies', 'Administrative divisions', 'International organization participation', 'See also', 'References', 'Yemen Civil War', 'Variants', 'Basic models', 'Prototypes', 'Research and test', 'Operators', 'Notable accidents', 'Specifications (F-15C)', 'Aircraft on display', 'Germany', 'History', 'Classic Game Boy family', 'Game Boy', 'Game Boy Pocket', 'Game Boy Light', 'Game Boy Color', 'Game Boy Advance family', 'Game Boy Advance', 'Awards', 'References', 'Bibliography'], ['Airports - with unpaved runways', 'See also', 'References'], ['Properties', 'Cyclic groups', 'Consequences', 'See also', 'References', 'Relationship with phonemes', 'See also', 'References', 'Executive', 'Legislative', 'Judicial', 'Municipal governments', 'National government', 'Administrative divisions', 'Economy', 'Transportation', 'Demographics', 'Population', 'Homeported watercraft', 'Civilian contractors', 'Cargo shipping', 'History', 'Spanish colonial era', 'Guantanamo Bay during the Spanish–American War', 'Lease', 'World War II', '1958–1999', '21st century', 'North America', 'Europe', 'Japan', 'Hong Kong', 'Singapore', 'In popular culture', 'Other uses of the term', 'See also', 'References', 'Geography', 'Climate', 'History', 'Origins', 'Medieval Hamburg', 'Modern times', 'Second World War', 'Post-war history', 'Life', 'Dating', 'Works', 'Theogony', 'Works and Days', 'Other writings', 'The Helvetii as Roman subjects', 'The rising of 68/69 AD', 'Legacy', 'Celtic oppida in Switzerland', 'Notes', 'Bibliography'], ['Background', 'Early reign', 'Sher Shah Suri', 'In Agra', 'In Lahore', 'Withdrawing further', 'Battle honours', 'See also', 'Citations and references', 'Education, apprenticeship and poetry', 'Early scientific interests', 'Pneumatic Institution', 'Royal Institution', 'Discovery of new elements', 'Discovery of calcium, magnesium, strontium and barium', 'Austria', 'Czech Republic', 'Denmark', 'Estonia', 'France', 'Germany', 'Greece', 'Iceland', 'Ireland', 'Israel', 'Roads', 'Railways', 'Airports', 'Biography', 'Hagia Sophia', 'References', 'Sources', 'Hedonism', 'Libertinism', 'Objectivism', 'Philosophical anarchism', 'Subjectivism', 'Solipsism', 'Economic individualism', 'Individualist anarchism and economics', 'Mutualism', 'Libertarian socialism', 'Other practices', 'By geography', 'Eastern Arabia', 'South Arabia', 'Influence of Arab tribes', 'Influence on Aksum', 'Transition to Judaism', 'Central Arabia', 'Hejaz', 'Historiography', 'History', 'Misuse of the concept as corporate PR stunt', 'Notable cases', 'Combatting junk science', 'See also', 'Brian Epstein', 'Julian Lennon', 'Yoko Ono', 'May Pang', 'Sean Lennon', 'Former Beatles', 'Political activism', 'Deportation attempt', 'FBI surveillance and declassified documents', 'Writing and art'], ['Biography', 'Works', 'Death', 'Legacy', 'Arguments for vindication', 'HUAC and SACB', 'In popular culture', 'Post-censure reaction', 'See also', 'References', 'Secondary sources', 'Primary sources', 'Origin of the name joual', 'Most notable or stereotypical linguistic features', 'English loanwords (Anglicisms)', 'Glossary', 'In popular culture', 'See also', 'Notes'], ['Number', 'Other languages', 'Other systems', 'Related characters', 'Ancestors, descendants and siblings', 'Ligatures and abbreviations', 'Computing codes', 'Other representation', 'Other usage', 'References']]



['Wikipedia: Electromagnetism', 'Wikipedia: Ethnology', 'Wikipedia: Emperor Sukō', 'Wikipedia: Forest', 'Wikipedia: Geography of the Federated States of Micronesia', 'Wikipedia: Hungary', 'Wikipedia: Heretics of Dune', 'Wikipedia: Information theory', 'Wikipedia: Java (disambiguation)', 'Wikipedia: Joseph Yoakum', 'Wikipedia: John Hancock', 'Wikipedia: Jacob and Esau', 'Wikipedia: Kappa (disambiguation)']
[['Commutators', 'Definition', 'Derived series', 'Abelianization', 'Classes of groups', 'Perfect group', 'Examples', 'Map from Out', 'See also', 'Early life and education', 'Career', 'U.S. Army', 'Fast food career', 'Kentucky Fried Chicken', "Arthur Treacher's", "Wendy's", 'Personal life', 'Death', 'Honors and memberships', 'Commercials and later films', 'Controversy', '2010–present', 'Style and legacy', 'Filmography', 'Feature films', 'Short films', 'Television', 'Accolades', 'Honorary degrees', 'Further reading'], ['History of the theory', 'T', 'U', 'V', 'W', 'Wa–We', 'Wh–Wy', 'X–Y', 'Z', 'Lists of English language poets by nationality', 'See also', 'Scientific discipline', 'Scholars', 'See also', 'Early life', 'Thomas Seymour', "Mary I's reign", 'Accession', 'Church settlement', 'Marriage question', 'Robert Dudley', 'Foreign candidates', 'Virginity', 'Mary, Queen of Scots', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'Pre-European discovery', 'European discovery', 'Early colonisation', 'Inter-colonial period', 'Isabella', 'Argentine colonisation attempts', "Luis Vernet's enterprise", 'Voting', 'Ballot types', 'Examples of plurality voting', 'General elections in the United Kingdom', 'Example', 'Disadvantages', 'Tactical voting', 'See also', 'Definition', 'Etymology', 'History', 'Old Faroese', 'Alphabet', 'Phonology', 'Grammar', 'See also', 'Further reading', 'To learn Faroese as a language', 'Dictionaries', 'Faroese Literature and Research'], ['Geography', 'Location', 'Netherlands', 'Japan', 'Israel', 'Saudi Arabia', 'United Kingdom', 'United States', 'Notable appearances in media', 'See also', 'References', 'Notes', 'Game Boy Advance SP', 'Game Boy Micro', 'Comparison', 'Game Paks', 'Accessories', 'Stand alone devices', 'Television adapters', 'Super Game Boy', 'Super Game Boy 2', 'Game Boy Player', 'Plot', 'Cast', 'Themes', 'Production', 'Development', 'Writing', 'Creature design', 'Special effects', 'Filming', 'History', 'The Militia', 'Command appointments under Sékou Touré, March 1984', 'The 1980s and Conté', 'Composition', 'Air Force', 'Inventory', 'Army', 'Weapons', 'History of development', 'Techniques and technology', 'Relating information from different sources', 'GIS uncertainties', 'Data representation', 'Data capture', 'Raster-to-vector translation', 'Projections, coordinate systems, and registration', 'Microscopic structure', 'Formation from a supercooled liquid', 'Occurrence in nature', 'History', 'Physical properties', 'Optical', 'Other', 'Reputed flow', 'Types', 'Silicate', 'Urbanization', 'Migration', 'Language', 'Religion', 'Education', 'Health care', 'Culture', 'Architecture', 'Cuisine', 'Music', 'Geography', 'Cactus Curtain', 'Detention camp', 'Represented businesses', 'Airfields', 'Education', 'Climate', 'Notable people', 'See also', 'Notes', 'Etymology', 'History', 'Before 895', 'Medieval Hungary 895–1526', 'Demographics', 'Foreign citizens in Hamburg', 'Language', 'Religion', 'Government', 'Boroughs', 'Cityscape', 'Architecture', 'Parks and gardens', 'Culture and contemporary life', 'Reception', 'Portrait bust', "Hesiod's Greek", 'Notes', 'Citations', 'References', 'Further reading', 'Selected translations'], ['Plot introduction', 'Plot summary', 'Reception', 'References', 'Retreat to Kabul', 'Refuge in Persia', 'Kandahar and onward', 'Restoration of the Mughal Empire', 'Marriage relations with the Khanzadas', 'Ruling Kashmir', 'Character', 'Death and legacy', 'Full title', 'Ancestry', 'Early childhood and illness', 'Formal education', 'Example of her lectures', 'Companions', 'Political activities', 'Writings', 'Overseas visits', 'Later life', 'Portrayals', 'Discovery of chlorine', 'Laboratory accident', 'European travels', 'Davy lamp', 'Acid-base studies', 'Herculaneum papyri', "Electrochemical protection of ships' copper bottoms", 'President of the Royal Society', 'Last years and death', 'Honours', 'Italy', 'Luxembourg', 'Moldova', 'Netherlands', 'North Macedonia', 'Norway', 'Spain', 'Sweden', 'Switzerland', 'Ukraine', 'Aircraft Register', 'Ports and harbours', 'Merchant marine', 'References'], ['History', 'Structure and function', 'General', 'Board of Governors', 'General Conference', 'Secretariat', 'Missions', 'Peaceful uses', 'Safeguards', 'Left-libertarianism', 'Right-libertarianism', 'As creative independent lifestyle', 'Religion and individualism', 'See also', 'Notes', 'References', 'Further reading', 'Role of Mecca and the Kaaba', 'The Kaaba, Allah, and Hubal', 'Other deities', 'Political and religious developments', 'Advent of Islam', 'North Arabia', 'Nabataeans', 'Religious beliefs of Arabs outside Arabia', 'Bedouin religious beliefs', 'Other religions', 'References', 'Further reading'], ['Musicianship', 'Instruments played', 'Vocal style', 'Legacy', 'Accolades', 'Discography', 'Filmography', 'Film', 'Television', 'Bibliography', 'Hosting museums', 'See also', 'Notes', 'References'], [], ['Early life', 'Growing imperial tensions', 'Birthright', 'Blessing of the firstborn', 'Reconciliation', 'Views of the birthright', 'References'], ['Measurement', 'Companies']]



['Wikipedia: December 19', 'Wikipedia: Device driver', 'Wikipedia: Ethan Allen', 'Wikipedia: Excalibur', 'Wikipedia: Espagnole sauce', 'Wikipedia: Elementary particle', 'Wikipedia: Grumman F-14 Tomcat', 'Wikipedia: Gemini 10', 'Wikipedia: Foreign relations of Guinea', 'Wikipedia: Gladstone Gander', 'Wikipedia: Hebrew numerals', 'Wikipedia: Halakha', 'Wikipedia: Prince-elector', 'Wikipedia: In vivo', 'Wikipedia: Jefferson Davis', 'Wikipedia: Joseph Lister', "Wikipedia: Kuiper's test"]
[['Notes', 'References'], ['References'], ['Purpose', 'Bibliography', 'Books', 'Articles', 'References'], ['Fundamental forces', 'Classical electrodynamics', 'Extension to nonlinear phenomena', 'Quantities and units', 'See also', 'References', 'Further reading', 'Web sources', 'Textbooks', 'General references', 'References', 'Forms and etymologies', 'Excalibur and the Sword in the Stone', 'References', 'Bibliography'], ['Catholic cause', 'Wars and overseas trade', 'Netherlands', 'Spanish Armada', 'France', 'Ireland', 'Russia', 'Muslim states', 'America', 'East India Company', 'Genealogy', "Events of Sukō's life", 'Eras during his reign', 'Southern Court rivals', 'Japanese line of succession', 'See also', 'Notes', 'References', 'USS Lexington raid', 'Penal colony and mutiny', 'British return', 'British colonisation', 'Establishment of Port Stanley', 'Development of agriculture and the Camp', 'Exploitation of maritime resources', 'Twentieth century', 'Establishment of communications', 'Economic development', 'Fewer political parties', 'Wasted votes', 'Gerrymandering', 'Manipulation charges', 'Spoiler effect', 'Issues specific to particular countries', 'Solomon Islands', 'International examples', 'List of countries', 'See also', 'Evolutionary history', 'Ecology', 'Components', 'Layers', 'Types', 'Temperate needleleaf', 'Temperate broadleaf and mixed', 'Tropical moist', 'Tropical dry', 'Sparse trees and parkland', 'Other', 'References'], ['Dimensions', 'Terrain', 'Elevation extremes', 'Extreme points', 'Environment', 'Land use', 'Climate', 'Natural hazards', 'See also', 'References', 'Citations', 'Bibliography', 'Further reading'], ['Reception', 'Legacy', 'See also', 'References'], ['Music', 'Release', 'Theatrical', 'American version', 'Home media', 'Reception', 'Box office', 'Critical response in Japan', 'Critical response in America', 'Accolades', 'Navy', 'References', 'Further reading', 'Spatial analysis with geographical information system (GIS)', 'Slope and aspect', 'Data analysis', 'Topological modeling', 'Geometric networks', 'Hydrological modeling', 'Cartographic modeling', 'Map overlay', 'Geostatistics', 'Address geocoding', 'Soda-lime', 'Borosilicate', 'Lead', 'Aluminosilicate', 'Other oxide additives', 'Glass-ceramics', 'Fibreglass', 'Non-silicate', 'Amorphous metals', 'Polymers', 'Folk and traditionally based music', 'Pop and rock', 'Hip-hop', 'Literature, poetry and philosophy', 'Public holidays', 'Festivals', 'Media', 'Television', 'Radio', 'Press', 'References', 'Further reading'], ['Age of Árpádian kings', 'Age of elected kings', 'Decline of Hungary (1490–1526)', 'Ottoman wars 1526–1699', 'From the 18th century to World War I', 'Between the World Wars 1918–1941', 'World War II 1941–1945', 'Communism 1945–1989', 'Kádár era 1956–1988', 'Third Republic 1989–present', 'Theatres', 'Museums', 'Music', 'Festivals and regular events', 'Cuisine', 'Main sights', 'Alternative culture', 'British culture', 'Memorials', 'Economy', 'Numbers', 'Ordinal values', 'Cardinal values', 'Speaking and writing', 'Etymology and terminology', 'Commandments (mitzvot)', 'Sources and process', 'Historical analysis', 'Views today', 'See also', 'Footnotes', 'References', 'Bibliography'], ['Posthumous honors', 'Archival material', 'See also', 'References', 'Bibliography', 'Further reading', 'Primary sources'], ['Geographical locations', 'Scientific and literary recognition', 'In popular culture', 'Publications', 'References', 'Sources'], ['United Kingdom', 'Vatican City & the Holy See', 'Other European countries', 'European Union', "India's relationship with Middle East countries", 'Arab states of the Persian Gulf', 'Bahrain', 'Egypt', 'Iran', 'Iraq', 'Overview', 'Historical background', 'Quantities of information', 'Entropy of an information source', 'Joint entropy', 'Conditional entropy (equivocation)', 'Mutual information (transinformation)', 'Kullback–Leibler divergence (information gain)', 'Nuclear safety', 'Criticism', 'Membership', 'Regional Cooperative Agreements', 'AFRA', 'ARASIA', 'RCA', 'ARCAL', 'List of Directors General', 'Publications', 'In vivo vs. ex vivo research', 'Methods of use', 'See also', 'References', 'Iranian religions', 'Abrahamic religions', 'Judaism', 'Christianity', 'See also', 'References', 'Citations', 'Sources', 'Computing', 'Geography', 'United States', 'Other places', 'Entertainment', 'Music and dance', 'Transportation', 'Other uses', 'See also', 'See also', 'Notes', 'References', 'Citations', 'Sources', 'Further reading'], ['Early life', 'Artistic work', 'References'], ['Townshend Acts crisis', 'Liberty affair', 'Massacre to Tea Party', 'Revolution begins', 'President of Congress', 'Signing the Declaration', 'Return to Massachusetts', 'Final years', 'Legacy', 'See also', 'Early life', 'Education', 'Career and work', 'Automotive', 'Places', 'Other uses', 'See also']]



['Wikipedia: December 20', 'Wikipedia: Euphemism', 'Wikipedia: Amplifier', 'Wikipedia: Emperor Go-Kōgon', 'Wikipedia: Fetish', 'Wikipedia: Demographics of the Federated States of Micronesia', 'Wikipedia: The Return of Godzilla', 'Wikipedia: Guinea-Bissau', 'Wikipedia: Gordon Michael Woolvett', "Wikipedia: Haddocks' Eyes", 'Wikipedia: Hecate', 'Wikipedia: International Civil Aviation Organization', 'Wikipedia: In vitro', 'Wikipedia: Imperial Conference', 'Wikipedia: James Cook', 'Wikipedia: June 3', 'Wikipedia: John W. Campbell', 'Wikipedia: Kirk Hammett']
[['Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['Development', 'Kernel mode vs. user mode', 'Applications', 'Virtual device drivers', 'Open source drivers', 'APIs', 'Identifiers', 'See also', 'References'], ['Early life', 'First marriage and early adulthood', 'New Hampshire Grants', 'Green Mountain Boys', 'Onion River Company', 'Westminster massacre', 'Revolutionary War', 'Capture of Fort Ticonderoga'], ['Etymology', 'Purpose', 'Other roles and attributes', 'Welsh stories', 'Other versions', 'Excalibur as a relic', 'Similar weapons', "Arthur's other weapons", 'Notes', 'References', 'Sources', 'Further reading', 'Preparation', 'Etymology', 'See also', 'References'], ['Later years', 'Death', 'Legacy', 'Family tree', 'See also', 'Notes', 'References', 'Further reading', 'Primary sources and early histories', 'Historiography and memory', 'Genealogy', "Events of Go-Kōgon's life", "Eras of Go-Kōgon's reign", 'Southern Court rivals', 'Education', 'First World War', 'Second World War', 'Argentine incursions', 'Growing links with Argentina', 'Falklands War', 'Post-war', 'Increased British military presence and new bases', 'Attempts at diversifying the economy', 'Conservation', 'References', 'Anthropological uses', 'Sexual', 'Forest plantations', 'Societal significance', 'Canada', 'Latvia', 'United States', 'See also', 'Sources', 'References'], ['Overview', 'Cosmic abundance of elementary particles', 'Standard Model', 'Fundamental fermions', 'Generations', 'Mass', 'Antiparticles', 'Quarks', 'Fundamental bosons', 'Gluons', 'CIA World Factbook demographic statistics', 'References', 'Development', 'Background', 'VFX', 'Improvements and changes', 'Ground attack upgrades', 'Design', 'Overview', 'Variable-geometry wings and aerodynamic design', 'Engines and structure', 'Crew', 'Backup crew', 'Support crew', 'Mission parameters', 'Docking', 'Space walk', 'Objectives', 'Flight', 'Legacy', 'American films', 'Notes', 'References', 'Sources'], ['Diplomatic history', '2009 ambassador recall', 'Bilateral relations', 'See also', 'References', 'Reverse geocoding', 'Multi-criteria decision analysis', 'Data output and cartography', 'Graphic display techniques', 'Spatial ETL', 'GIS data mining', 'Applications', 'Open Geospatial Consortium standards', 'Web mapping', 'Adding the dimension of time', 'Molecular liquids and molten salts', 'Production', 'Colour', 'Uses', 'Architecture and windows', 'Tableware', 'Laboratories', 'Optics', 'Art', 'See also', 'Sport', 'Emerging sports', 'Symbols', 'Galicians', 'Honour', 'Image gallery', 'See also', 'Notes', 'References', 'Bibliography', 'Origin', 'Character', 'Animation', 'See also', 'References'], ['Geography', 'Climate', 'Government and politics', 'Political parties', 'Law and judicial system', 'Administrative divisions', 'Foreign relations', 'Military', 'Economy', 'Science and technology', 'Banking', 'Port', 'Industrial production', 'HafenCity', 'Tourism', 'Media', 'Infrastructure', 'Health systems', 'Transport', 'Public transport', 'Calculations', 'Key exceptions', 'Use of final letters', 'Gershayim', 'Decimals', 'Thousands and date formats', 'Date examples', 'Recent years', 'Similar systems', 'See also', 'Flexibility', 'Denominational approaches', 'Orthodox Judaism', 'Conservative Judaism', 'Codes of Jewish law', 'See also', 'References', 'Bibliography'], ['Full-text resources of major halakhic works', 'Etymology of Kurfürst', 'Rights and privileges', 'Imperial Diet', 'Elections', 'High offices', 'Electoral Arms', 'Napoleonic politics', 'History', 'Naming', 'The song', 'Upon the Lonely Moor', 'See also', 'References', 'Name and origin', 'Greek origin', 'Egyptian origin', 'Anatolian origin', 'Later development', 'Iconography', 'Lebanon', 'Oman', 'Palestine', 'Saudi Arabia', 'Syria', 'Turkey', 'United Arab Emirates', "India's relationship with Russia and Central Asia", 'Russian Federation', 'Central Asia', 'Other quantities', 'Coding theory', 'Source theory', 'Channel capacity', 'Capacity of particular channel models', 'Applications to other fields', 'Intelligence uses and secrecy applications', 'Pseudorandom number generation', 'Seismic exploration', 'Semiotics', 'See also', 'References', 'Notes', 'Works cited'], ['Definition', 'Examples', 'Advantages', 'Simplicity', 'List of conferences', 'Notable meetings', 'Towards Commonwealth meetings', 'See also', 'Footnotes', 'Early life and family', 'Start of Royal Navy career', 'Newfoundland', 'First voyage (1768–1771)', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['Early life', 'Birth and family background', 'Childhood', 'Early military career', 'First marriage and aftermath', 'Second marriage and family; election to Congress', 'Election to Congress', 'References', 'Citations', 'Bibliography', 'Further reading'], ['Diffusion', 'Surgical technique', 'Later life', 'Death', 'Awards and honours', 'Academic societies', 'Monuments', 'Gallery', 'Bibliography', 'See also', 'Definition', 'Example', 'See also', 'References']]



['Wikipedia: Dimona', 'Wikipedia: Eight-bar blues', 'Wikipedia: Enceladus (disambiguation)', "Wikipedia: Emperor Go-En'yū", 'Wikipedia: Geography of the Falkland Islands', 'Wikipedia: February 14', 'Wikipedia: Finger Lakes', 'Wikipedia: Economy of the Federated States of Micronesia', 'Wikipedia: Gel electrophoresis', 'Wikipedia: G protein', 'Wikipedia: Hydroxy', 'Wikipedia: History of ancient Israel and Judah', 'Wikipedia: Hoosier', 'Wikipedia: International Refugee Organization', 'Wikipedia: June 2', 'Wikipedia: Johann Homann']
[['Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['Etymology', 'History', 'Demography', 'Raids on St. John', 'Promoting an invasion', 'Allen loses command of the Boys', 'Capture', 'Imprisonment', 'Vermont Republic', 'Return home', 'Politics', 'Negotiations with the British', 'Later years', 'Avoidance', 'Mitigation', 'Rhetoric', 'Identification problematic', 'Formation methods', 'Phonetic modification', 'Pronunciation', 'Understatement', 'Substitution', 'Metaphor'], ['Overview', 'See also', 'History', 'Vacuum tubes', 'Transistors', 'Ideal', 'Properties', 'Negative feedback', 'Categories', 'Active devices'], ['All article disambiguation pages', 'All disambiguation pages', 'See also', 'Notes', 'References', 'See also', 'References'], ['Arts', 'Business', 'Events', 'Name', 'Lakes', 'Geology', 'Ecological concern', 'Electroweak bosons', 'Higgs boson', 'Graviton', 'Beyond the Standard Model', 'Grand unification', 'Supersymmetry', 'String theory', 'Technicolor', 'Preon theory', 'Acceleron theory', 'Industries', 'Taxation and trade', 'Statistics', 'References', 'Avionics and flight controls', 'Armament', 'Operational history', 'United States', 'Iran', 'Variants', 'F-14A', 'F-14B', 'F-14D', 'Projected variants', 'First rendezvous', 'EVA 1', 'Second rendezvous', 'EVA 2', 'Experiments', 'Re-entry', 'Insignia', 'Spacecraft location', 'See also', 'References', 'Plot', 'Cast', 'Development', 'Special effects', 'Release', 'Theatrical', 'Reception', 'History', 'Independence (1973)', 'Vieira years', 'Politics', 'Foreign relations', 'Military', 'Administrative divisions', 'Geography', 'Semantics', 'Implications of GIS in society', 'In education', 'In local government', 'See also', 'References', 'Further reading'], ['References'], ['Physical basis'], ['History', 'Function', 'Career', 'Personal life', 'Filmography', 'Film', 'Television', 'References'], ['Transport', 'Demographics', 'Urbanization', 'Languages', 'Religion', 'Education', 'Health', 'Culture', 'Architecture', 'Music', 'Public transportation statistics', 'Utilities', 'Sports', 'Education', 'Twin towns and sister cities', 'People from Hamburg', 'See also', 'References'], ['References'], ['All article disambiguation pages', 'Periods', 'Late Bronze Age background (1600–1150\xa0BCE)', 'Iron Age I (1150–950\xa0BCE)', "1257 to Thirty Years' War", "Thirty Years' War to Napoleon", 'After the Empire', 'Confessional balance', 'Spiritual', 'Secular', 'Added in the 17th century', 'Added in the 19th century', 'See also', 'References', 'Origin', 'Scholarship', 'Folk etymologies', 'Sacred animals', 'Sacred plants', 'Functions', 'As a goddess of boundaries', 'As a goddess of the underworld', 'As a goddess of witchcraft', 'Cult', 'History', 'Sanctuaries', 'Cult at Lagina', 'Kazakhstan', 'Mongolia', 'Tajikistan', 'Kyrgyzstan', 'Turkmenistan', 'Uzbekistan', "India's relationship with African countries", 'Burundi', 'Comoros', 'Ethiopia', 'Miscellaneous applications', 'See also', 'Applications', 'History', 'Theory', 'Concepts', 'References', 'The classic work', 'Other journal articles', 'Textbooks on information theory', 'History', 'Statute', 'Membership', 'Council', 'Standards', 'Passport standards', 'Aerodrome reference code', 'Registered codes', 'Species specificity', 'Convenience, automation', 'Disadvantages', 'In vitro to in vivo extrapolation', 'Extrapolating in pharmacology', 'See also', 'References'], ['Further reading', 'Filmography', 'References', 'Interlude', 'Second voyage (1772–1775)', 'Third voyage (1776–1779)', 'Rediscovery of Hawaii', 'North America', 'Return to Hawaii', 'Death', 'Aftermath', 'Legacy', 'Ethnographic collections', 'Events', 'Births', 'Deaths', 'Children', 'Mexican–American War', 'Return to politics', 'Senator', 'Secretary of War', 'Return to Senate', 'President of the Confederate States', 'Overseeing the war effort', 'Administration and cabinet', 'Strategic failures', 'Biography', 'Writing career', 'Editing career', 'Influence', 'Views', 'Slavery, race, and segregation', 'Medicine and health', 'Pseudoscience, parapsychology, and politics', 'References', 'Further reading'], ['Early life', 'Career', 'Exodus (1979–1983)', 'Metallica (1983–present)', 'Other appearances', 'Book', "Kirk Von Hammett's Fear FestEvil", 'Personal life']]



['Wikipedia: December 21', 'Wikipedia: Echidna (disambiguation)', 'Wikipedia: Emperor Jimmu', 'Wikipedia: Free-trade area', 'Wikipedia: Miami Marlins', 'Wikipedia: Telecommunications in the Federated States of Micronesia', 'Wikipedia: Gardening', 'Wikipedia: Graph theory', 'Wikipedia: Gypsum', 'Wikipedia: Hedonism', 'Wikipedia: Hero', 'Wikipedia: Howard Hughes', 'Wikipedia: Information explosion', 'Wikipedia: IEEE 754-1985', 'Wikipedia: IRO', 'Wikipedia: June 1', 'Wikipedia: Jadavpur University']
[['Events', 'Births', 'Deaths', 'Holidays and observances', 'Economy', 'Geography and climate', 'Climate', 'Transportation', 'Notable residents', 'Twin towns', 'References'], ['Publication of Reason', 'Second marriage', 'Death', 'Family', 'Disappearance of his grave marker', 'Likenesses', 'Memorials', 'Publications', 'See also', 'Notes', 'Slang', 'Foreign words', 'Periphrasis/circumlocution', 'Doublespeak', 'Lifespan', 'In popular culture', 'See also', 'References', 'Further reading'], ['Sources', 'Taxonomic genera', 'See also', 'Power amplifiers', 'Operational amplifiers (op-amps)', 'Distributed amplifiers', 'Switched mode amplifiers', 'Negative resistance amplifier', 'Applications', 'Video amplifiers', 'Microwave amplifiers', 'Musical instrument amplifiers', 'Classification of amplifier stages and systems', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'Genealogy', "Events of Go-En'yū's life", "Eras of Go-En'yū's reign", 'Southern Court rivals', 'See also', 'Notes', 'References', 'Geology', 'Topographical description', 'East Falkland', 'West Falkland', 'Smaller islands', 'Seabed', 'Climate', 'Flora and fauna', 'Human geography', 'Human settlements and activities', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['History', 'Notable places', 'Wine', 'Craft beer', 'Educational institutions', 'Museums', 'References'], ['See also', 'Notes', 'Further reading', 'General readers', 'Textbooks'], [], ['Telephone', 'Radio', 'Operators', 'Former operators', 'Aircraft on display', 'Specifications (F-14D)', 'Tomcat logo', 'Notable appearances in media', 'See also', 'References', 'Notes', 'Citations'], ['History of gardening', 'Ancient times', 'Home media', 'Alternate English versions', 'Export English dub', 'Godzilla 1985', 'See also', 'Notes', 'References', 'Bibliography'], ['Climate', 'Environmental problems', 'Economy', 'Society', 'Demographics', 'Ethnic groups', 'Major cities', 'Languages', 'Religion', 'Health', 'Definitions', 'Graph', 'Directed graph', 'Applications', 'Computer science', 'Types of gel', 'Agarose', 'Polyacrylamide', 'Starch', 'Gel conditions', 'Denaturing', 'Native', 'Buffers', 'Visualization', 'Downstream processing', 'Diversity', 'Signaling', 'Heterotrimeric', 'Common mechanism', 'Activation', 'Termination', 'Specific mechanisms', 'Gαs', 'Gαi', 'Gαq/11', 'Etymology and history', 'Physical properties', 'Crystal varieties', 'Literature', 'Cuisine', 'Recreation', 'Folk art', 'Porcelain', 'Sport', 'Football', 'See also', 'Notes', 'References', 'History', 'Etymology', 'Early philosophy', 'Sumerian civilization', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'Iron Age II (950–587\xa0BCE)', 'Babylonian period', 'Persian period', 'Hellenistic period', 'Ptolemaic rule', 'Seleucid rule and the Maccabean Revolt', 'The Hasmonean Dynasty', 'The Herodian Dynasty', 'Religion', 'Henotheism', 'Citations', 'Sources'], ['Banter', "Mr. Hoosier's men", 'Other uses', 'Famous references', 'Notes', 'References'], ['Cult at Byzantium', 'Deipnon', 'Epithets', 'Historical and literary sources', 'Archaic period', 'Classical period', 'Late Antiquity', 'Parents and children', 'Legacy', 'Modern reception', 'Gabon', 'Ghana', 'Ivory Coast', 'Kenya', 'Lesotho', 'Liberia', 'Mauritania', 'Mauritius', 'Morocco', 'Mozambique', 'Other books', 'MOOC on information theory'], ['Airport codes', 'Airline codes', 'Aircraft registrations', 'Aircraft type designators', 'Use of the International System of Units', 'Table of units', 'Regions and regional offices', 'Leadership', 'List of Secretaries General', 'List of Council Presidents', 'Representation of numbers', 'Zero', 'Denormalized numbers', 'Representation of non-numbers', 'Positive and negative infinity'], ['See also', 'Navigation and science', 'Memorials', 'Cultural references', 'See also', 'References', 'Notes', 'Citations', 'Bibliography', 'Further reading'], ['Holidays and observances', 'References'], ['Final days of the Confederacy', 'Imprisonment', 'Later years', 'Author', 'Death and burials', 'Legacy', 'Screen portrayals', 'See also', 'References', 'Notes', 'Assessment by peers', 'Awards and honors', 'Works', 'Novels', 'Short story collections and omnibus editions', 'Edited books', 'Nonfiction', 'Memorial works', 'Further reading', 'See also', 'Life', 'References'], ['Substance abuse', 'Environmentalism and Trump', 'Equipment and techniques', 'Guitars', 'Amplifiers and cabinets', 'Effects', 'Accessories', 'Discography', 'Death Angel', 'Headbanged']]



['Wikipedia: December 14', 'Wikipedia: DC Comics', 'Wikipedia: Ecuador', 'Wikipedia: Edmund Spenser', 'Wikipedia: Edward Waring', 'Wikipedia: Emperor Suizei', 'Wikipedia: Politics of the Falkland Islands', 'Wikipedia: Kite', 'Wikipedia: Transportation in the Federated States of Micronesia', 'Wikipedia: Lockheed F-117 Nighthawk', 'Wikipedia: Johann Gottlieb Fichte', 'Wikipedia: Gary Gygax', 'Wikipedia: Historiography', "Wikipedia: Horner's method", 'Wikipedia: Haematopoiesis', "Wikipedia: Isabella d'Este", 'Wikipedia: John Baskerville', 'Wikipedia: June 22', 'Wikipedia: Jonathan Meades', 'Wikipedia: Joule', 'Wikipedia: Kul Tigin']
[['References'], ['Events', 'History', 'Golden Age', 'Silver Age', 'Kinney National Company/Warner Communications subsidiary (1967–1990)', 'The Bronze Age', 'References', 'Further reading', 'Primary sources'], ['Life', 'Rhyme and reason', 'The Shepheardes Calender', 'Early years', 'Career', 'Personal life', 'Common terminal', 'Unilateral or bilateral', 'Inverting or non-inverting', 'Function', 'Interstage coupling method', 'Frequency range', 'Power amplifier classes', 'Example amplifier circuit', 'Notes on implementation', 'See also', 'Name and title', 'Consorts and children', 'Legendary narrative', 'Migration', 'Modern veneration', 'See also', 'Notes', 'References'], ['Legendary narrative', 'Known information', 'Consorts and Children', 'See also', 'Notes', 'References', 'Impact of human activity', 'Extreme points', 'Notes', 'References', 'Legal aspects of free-trade areas', 'Economic aspects of free-trade areas', 'Qualifying for preferences under a free-trade area', 'Databases on free-trade areas', 'See also', 'References'], ['History', 'Materials', 'Practical uses', 'Military applications', 'Science and meteorology', 'Franchise history', 'World Series championships', 'Roster', 'All-time roster', 'Achievements', 'Awards', 'Retired numbers', 'Television', 'Internet', 'Notes', 'Bibliography'], ['Development', 'The Middle Ages', 'Cottage gardens', '18th century', 'Types', 'Social aspects', 'Comparison with farming', 'Garden ornaments and accessories', 'Gardens as art', 'Garden pests', 'Garden pest control', 'Biography', 'Origins', 'Early schooling', 'Theological studies and private tutoring', 'Education', 'Conflicts', 'Culture', 'Media', 'Music', 'Cuisine', 'Film', 'Sports', 'See also', 'References', 'Linguistics', 'Physics and chemistry', 'Social sciences', 'Biology', 'Mathematics', 'Other topics', 'History', 'Graph drawing', 'Graph-theoretic data structures', 'Problems', 'Applications', 'Nucleic acids', 'Proteins', 'Nanoparticles', 'History', 'See also', 'References'], ['Gα12/13', 'Gβ', 'Small GTPases', 'Lipidation', 'References'], ['Occurrence', 'Mining', 'Synthesis', 'Occupational safety', 'United States', 'Uses', 'Gallery', 'See also', 'References'], ['Further reading'], ['Terminology', 'Ancient Egypt', 'Classical Greek philosophy', 'Cyrenaic school', 'Epicureanism', 'Asian philosophy', 'Yangism', 'Indian philosophy', 'Abrahamic philosophy', 'Judaism', 'Christianity', 'Etymology', 'Antiquity', 'Myth and monomyth', 'Slavic fairy tales', 'Modern fiction', 'Psychology', 'Mental and physical integration', 'See also', 'References', 'Iron Age Yahwism', 'The Babylonian exile and Second Temple Judaism===', 'See also', 'References', 'Citations', 'Bibliography', 'Further reading', 'Early biography', 'Business career', 'Entertainment', 'RKO', 'Real estate', 'Aviation and aerospace', 'Round-the-world flight', 'Hughes D-2 and XF-11', 'Fatal crash of the Sikorsky S-43', 'Near-fatal crash of the XF-11', 'Polynomial evaluation and long division', 'Examples', 'Efficiency', 'Parallel evaluation', 'Application to floating-point multiplication and division', 'Example', 'See also', 'Notes', 'References', 'Primary sources', 'Secondary sources'], ['Namibia', 'Nigeria', 'Rwanda', 'Seychelles', 'South Africa', 'South Sudan', 'Sudan', 'Togo', 'Uganda', 'International organisations', 'Growth patterns', 'Related terms', 'Challenges', 'Web servers', 'Blogs', 'See also', 'References'], ['Climate change', 'Agreement on CO2 emissions from international aviation, October 2016', 'Investigations of air disasters', 'Drone regulations and registration', 'See also', 'References'], ['NaN', 'Range and precision', 'Single precision', 'Double precision', 'Extended formats', 'Examples', 'Comparing floating-point numbers', 'Rounding floating-point numbers', 'Extending the real numbers', 'Functions and predicates', 'Education', 'Betrothal and marriage', 'Children', 'Lucrezia Borgia', 'Biographical dictionaries', 'Journals', 'Collections and museums', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['Citations', 'Bibliography', 'Further reading'], ['Notes', 'References'], ['Audio', 'Biography and criticism', 'Bibliography and works', 'History', 'National Council of Education, Bengal', 'Campus', 'National Instruments Limited Campus', 'Affiliated institutes', 'Rankings', 'Publication house', 'Affiliated Schools', 'Notable alumni', 'Controversy and criticism', 'Exodus', 'Metallica', 'See also', 'References'], []]



['Wikipedia: December 13', 'Wikipedia: Eden Phillpotts', 'Wikipedia: Escort carrier', 'Wikipedia: Elias Boudinot', 'Wikipedia: Emperor Annei', 'Wikipedia: French fries', 'Wikipedia: Foreign relations of the Federated States of Micronesia', 'Wikipedia: Graffiti', 'Wikipedia: History of Guinea-Bissau', 'Wikipedia: Gary Lineker', 'Wikipedia: Growth factor', 'Wikipedia: Hydroxide', 'Wikipedia: List of monarchs of Persia', 'Wikipedia: Inch', 'Wikipedia: International Maritime Organization', 'Wikipedia: Jewel']
[['Births', 'Deaths', 'Holidays and observances', 'References'], ['Modern Age', 'Time Warner/AOL Time Warner/WarnerMedia unit (1990–present)', '2000s', '2010s', '2020s', 'DC Entertainment', 'Logo', 'Imprints', 'Active as of 2019', 'Defunct', 'History', 'Pre-Inca era', 'Inca era', 'Spanish rule', 'Independence', 'Liberal Revolution', 'Loss of claimed territories since 1830', 'President Juan José Flores de jure territorial claims', 'Struggle for independence', 'The Faerie Queene', 'Shorter poems', 'The Spenserian stanza and sonnet', 'Influences', 'A View of the Present State of Ireland', 'List of works', 'Editions', 'Digital Archive', 'References', 'Sources', 'Work', 'Death', 'References', 'See also'], ['References'], ['Development', 'Early life and education', 'Career', 'Marriage and family', 'Later career', 'Further reading', 'Legendary narrative', 'Known information', 'Sovereignty issues', 'Executive', 'Legislature', 'Judiciary', 'Courts', 'Advisory Committee on the Prerogative of Mercy', 'Attorney General', 'Finances', 'Elections and parties', 'Preparation', 'Chemical and physical changes', 'Etymology', 'By country or region', 'Radio aerials and light beacons', 'Kite traction', 'Underwater kites', 'Cultural uses', 'Asia', 'Europe', 'Polynesia', 'South America', 'World records', 'In popular culture', 'Baseball Hall of Famers', 'Ford C. Frick Award recipients', 'Florida Sports Hall of Fame', 'Minor league affiliations', 'Radio and television', 'Culture', 'Finishes', 'Best finishes in franchise history', 'Worst finishes in franchise history', 'Opening Day starting pitchers', 'See also', 'Regional relations', 'Diplomatic relations', 'Background and Have Blue', 'Senior Trend', 'Designation', 'Design', 'Avionics', 'Stealth', 'Operational history', 'Combat loss', 'Later service and retirement', 'Variants', 'Garden guns', 'See also', 'References'], ['Kant', 'Jena', 'Atheism dispute', 'Berlin', 'Philosophical work', 'Central theory', 'Nationalism', 'Women', 'Final period in Berlin', 'Bibliography', 'Further reading'], ['Portuguese Rule', 'Enumeration', 'Subgraphs, induced subgraphs, and minors', 'Graph coloring', 'Subsumption and unification', 'Route problems', 'Network flow', 'Visibility problems', 'Covering problems', 'Decomposition problems', 'Graph classes', 'Early life', 'Club career', 'Leicester City', 'Everton', 'Barcelona', 'Early life and inspiration', 'Wargames', 'TSR', 'Advanced Dungeons & Dragons and Hollywood', 'Leaving TSR', 'After TSR', '1985–1989: New Infinities Productions, Inc.', 'Versus cytokines', 'Classes', 'In platelets', 'Antiquity', 'Europe', 'Greece', 'Rome', 'East Asia', 'China', 'Middle Ages to Renaissance', 'Christendom', 'Islamic world', 'Japan', 'Islam', 'Utilitarianism', 'Bentham', 'Mill', 'Libertinage', 'Contemporary approaches', 'Michel Onfray', 'Abolitionism (David Pearce)', 'Hedodynamics (Victor Argonov)', 'Criticism', 'Further reading'], ['Hydroxide ion', 'Median Empire (678–549 BC)', 'Achaemenid Kingdom (~705–559 BC)', 'Achaemenid Empire (559–334/327 BC)', 'Macedonian Empire (336–306 BC)', 'Seleucid Empire (311–129 BC)', 'Fratarakas', 'H-4 Hercules', 'Hughes Aircraft', 'Airlines', 'The Conqueror and a buyout', 'Howard Hughes Medical Institute', 'Glomar Explorer and the taking of K-129', 'Personal life', 'Early romances', 'Buys luxury yacht, kills pedestrian with car', 'Marriage to Jean Peters', 'Method', 'Derivation', 'Another Application', 'Polynomial root finding', 'Divided difference of a polynomial', 'History', 'See also', 'Notes', 'References'], ['Process', 'Haematopoietic stem cells (HSCs)', 'Cell types', 'Terminology', 'Location', 'Extramedullary', 'Maturation', 'India and the Commonwealth of Nations', 'Non-Aligned Movement', 'United Nations', 'World Trade Organization', 'International disputes', "People's Republic of China", 'See also', 'References', 'Further reading'], ['Name', 'Usage', 'Equivalences', 'History', 'Related units', 'History', 'SOLAS', 'Torrey Canyon', 'Maritime pollution convention', 'Headquarters', 'Membership', 'Standard operations', 'Recommended functions and predicates', 'History', 'See also', 'Notes', 'References', 'Further reading'], ['Regency', 'Cultural pursuits', 'Art patronage', "Relationship with Leonardo's Mona Lisa", 'Potential portrait identifications', 'Diplomatic missions and her treatment of slaves', 'Widowhood', '"Devoted head of state"', 'Later years and death', 'Legacy', 'Life', 'Death and interments', 'Commemoration', 'Gallery', 'See also', 'References'], ['Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['Early life and education', 'Writing', 'Journalism', 'Books and other writing', 'Television', 'Photography', 'Personal life', 'Bibliography', 'History', 'Practical examples', 'Multiples', 'Conversions', 'Newton metre and torque', 'Watt-second', 'Photography', 'See also', 'References'], ['Early years', 'As supreme commander', 'Death', 'Popular culture', 'Notes', 'References'], []]



['Wikipedia: Dr. Seuss', 'Wikipedia: Diophantine equation', 'Wikipedia: Ecuador–United States relations', 'Wikipedia: Extreme sport', 'Wikipedia: Electromagnetic spectrum', 'Wikipedia: Field hockey', 'Wikipedia: Frontline (Australian TV series)', 'Wikipedia: Vought F4U Corsair', 'Wikipedia: Great Lakes', 'Wikipedia: Gumby', 'Wikipedia: Governor of New South Wales', 'Wikipedia: Hypnotic', 'Wikipedia: Hogmanay', 'Wikipedia: Inn', 'Wikipedia: International Labour Organization', 'Wikipedia: Inquisition', 'Wikipedia: Joseph Stalin', 'Wikipedia: James L. Jones']
[['Life and career', 'Early years', 'Early career', 'World War II–era work', 'Later years', 'Examples', 'Linear Diophantine equations', 'One equation', 'Chinese remainder theorem', 'Electoral branch', 'Transparency and social control branch', 'Human rights', 'Foreign affairs', 'Administrative divisions', 'Regions and planning areas', 'Military', 'Army', 'Jungle Commands Group (IWIAS)', 'Navy', 'Generators', 'Electrochemistry', 'Photovoltaic effect', 'Economics', 'Generating equipment', 'Turbines', 'Production', 'Historical results of production of electricity', 'Production by country', 'List of countries with source of electricity 2005'], ['History', 'Education', 'Definition', 'Classification', 'Extreme vehicle sports', 'History and discovery', 'Range', 'Regions', 'Rationale for names', 'Types of radiation', 'Legendary narrative', 'Known information', 'Consorts and Children', 'See also', 'Notes', 'References', 'Further reading', 'Historical development', 'Economic overview', 'Banking', 'Agriculture', 'Fishing', 'Fishing grounds', 'Fish stocks', 'Squid', 'Finfish', 'License quota policy and revenue', 'Accompaniments', 'Health aspects', 'Legal issues', 'See also', 'References', 'Bibliography', 'Origin', 'Genres', 'Science fiction', 'Media', 'Comics', 'Horror film', 'Rock and roll', 'Production', 'Setting', 'A commercial network', 'As a commentary', 'Episodes', 'Characters', 'Organized subculture', 'Fan activities', 'In film', 'In books', 'Relationship with the industry', 'Fandom and Technology', 'See also', 'Fandoms by medium', 'References', 'References', 'Notes', 'Bibliography', 'Further reading'], ['Advocates', 'Global developments', 'South America', 'Middle East', 'Southeast Asia', 'Characteristics of common graffiti', 'Methods and production', 'Modern experimentation', 'Tagging', 'Uses', 'Further reading'], ['Geography', 'Terrain and ecology', 'Climate', 'Bissagos Islands', 'Information from the CIA World Factbook', 'Extreme points', 'See also', 'Line notes', 'Online textbooks', 'Overview', 'History', 'International goals', 'Honours', 'Individual', 'Fellowships', 'References', 'Further reading'], ['Appointment', 'Selection', 'Role', 'Symbols and protocol', 'History', 'Biography', 'Milestones and honors received', 'Bibliography', 'See also', 'References', 'Further reading'], ['Cultural and constitutional history', 'Von Ranke and professionalization in Germany', 'Macaulay and Whig history', '20th century', 'France: Annales school', 'Marxist historiography', 'Biography', 'British debates', 'U.S. approaches', 'Progressive historians', 'Etymology', 'Overview', 'Geology', 'Ecological developments', 'Human developments', 'See also', 'References', 'Structural chemistry', 'In organic reactions', 'Base catalysis', 'As a nucleophilic reagent', 'Notes', 'References', 'Bibliography', 'Buyid Kingdom (934–1062)', 'Ziyarid Kingdom (928–1043)', 'Seljuk Empire (1029–1194)', 'Khwarazmian Empire (1153–1220)', 'Mongol Empire (1220–1256)', 'Ilkhanate and successor kingdoms (1256–1501)', 'Ilkhanate (1256–1357)', 'Sarbadars (1332–1386)', 'Chupanids (1335–1357)', 'Jalayirids (1335–1432)', 'In popular culture', 'Film', 'Games', 'Literature', 'Television', 'See also', 'References', 'Notes', 'Citations', 'Bibliography', 'References'], ['History', 'Etymology', 'Possible French etymologies', 'Possible Goidelic etymologies', 'Possible Norse etymologies', 'Origins', 'Prehistory', 'Indus Valley civilisation', 'Dravidian culture', 'Vedic period (1750–800 BCE)', 'Early Vedic period – early Vedic compositions (c. 1750–1200 BCE)', 'Middle Vedic period (c. 1200–850 BCE)', 'Late Vedic period (from 850 BCE)', 'Sanskritization', 'Shramanic period (c. 800–200 BCE)', 'Late Vedic period – Brahmanas and Upanishads – Vedanta (850–500 BCE)', 'History', 'Forms', 'Usage of the term', 'Gallery', 'See also', 'See also', 'Notes and references', 'Further reading'], ['See also', 'Notes and references'], ['Purpose', 'History', 'Standardization', 'International organizations', 'See also', 'References'], ['Sports', 'Other', 'Other uses', 'See also', 'Partnership with Graham Chapman', '1970s', 'Fawlty Towers', '1980s and 1990s', '21st century', 'Style of humour', 'Activism and politics', 'Anti-smoking campaign', 'Personal life', 'Filmography', 'Early life', 'Discovery and career', 'Legacy', 'Discography', 'Selected bibliography', 'References'], ['Early success', 'Dormant period', 'Later signings', 'Discography', 'See also', 'References'], ['Early life and education', 'Military career', 'Senior staff and command', 'Commandant', 'Supreme Allied Commander Europe', 'Awards and decorations', 'Singles', 'Writing career', 'Politics', 'Issues and positions', 'Further political activities', 'Other work and references in popular culture', 'Bibliography', 'References'], []]



['Wikipedia: Design of experiments', 'Wikipedia: Eight-ball', 'Wikipedia: Emperor Kōan', 'Wikipedia: Fort Collins, Colorado', 'Wikipedia: Demographics of Guinea-Bissau', 'Wikipedia: Golgi apparatus', 'Wikipedia: Gin and tonic', 'Wikipedia: Harbor', 'Wikipedia: H. R. Giger', 'Wikipedia: Hook of Holland', 'Wikipedia: International Olympiad in Informatics', 'Wikipedia: ISO 4217', 'Wikipedia: Jazz guitar', 'Wikipedia: John Chrysostom', 'Wikipedia: Kurt Gödel']
[['Illness, death, and posthumous honors', 'Pen names and pronunciations', 'Political views', 'In his books', 'Artwork', 'Recurring images', 'Publications', 'List of screen adaptations', 'Theatrical Shorts films', 'System of linear Diophantine equations', 'Homogeneous equations', 'Degree two', 'Geometric interpretation', 'Parameterization', 'Example of Pythagorean triples', 'Diophantine analysis', 'Typical questions', 'Typical problem', '17th and 18th centuries', 'Air Force', 'Geography', 'Climate', 'Hydrology', 'Biodiversity', 'Economy', 'Tourism', 'Transport', 'Demographics', 'Religion', 'Environmental concerns', 'See also', 'References', 'See also', 'References', 'Further reading'], ['Extreme non-vehicle sports', 'History', 'Marketing', 'Motivation', 'Mortality', 'Health', 'Thrill', 'List of extreme sports', 'See also', 'References', 'Radio waves', 'Microwaves', 'Infrared radiation', 'Visible light', 'Ultraviolet radiation', 'X-rays', 'Gamma rays', 'See also', 'Notes and references'], ['Legendary narrative', 'Known information', 'Consorts and children', 'See also', 'International cooperation', 'Catch statistics', 'Tourism', 'Energy and minerals', 'Petroleum exploration', 'North Falklands basin', 'East and south Falklands fields', 'Renewable energy sources', 'Philately and numismatics', 'See also', 'History', 'Field of play', 'Playing surface', 'Rules and play', 'The game', 'Positions', 'Formations', 'Punk', 'UK', 'US', 'After the year 2000', 'Mark Wilkins and Mystic records', 'Italy', 'Mod', 'Local music', 'Role-playing-game fanzines', 'Video gaming', 'Reporters', 'Producers', 'Supporting staff', 'Network employees', 'Special guests', 'Production strategies', 'Other airings', 'Impact', 'MentalAs Return', 'Notes'], ['History', 'Geography', 'Development', 'Design', 'Engine considerations', 'Landing gear and wings', 'Technical issues', 'Design modifications', 'Performance', 'Operational history', 'Personal expression', 'Radical and political', 'As advertising', 'Offensive graffiti', 'Decorative and high art', 'Environmental effects', 'Government responses', 'Asia', 'Europe', 'Australia', 'Bathymetry', 'Primary connecting waterways', 'Lake Michigan–Huron', 'Large bays and related significant bodies of water', 'Islands', 'Peninsulas', 'Shipping connection to the ocean', 'Water levels', 'Name origins', 'Statistics', 'References', 'Ethnic groups', 'Population', '1953–1969: Origins', '1982–1989: Revival', '1990–present: feature film and reruns', 'Cast', 'Reception and legacy', 'Merchandising', 'See also', 'References'], ['Discovery', 'Subcellular localization', 'Structure', 'Function', 'Vesicular transport', 'Current models of vesicular transport and trafficking', 'Residences and household', 'Government House', 'Summer residence', 'Household', 'List of governors of New South Wales', 'Living former governors', 'See also', 'Notes', 'References'], ['Garnish', 'History', 'Variations', 'Spanish variations', 'In popular culture', 'Consensus history', 'New Left history', 'Quantification and new approaches to history', 'Latin America', 'World history', 'The cultural turn', 'Memory studies', 'Scholarly journals', 'Some major historical journals', 'Narrative', 'Further reading'], ['Artificial harbors', 'Early life', 'Career', 'Personal life', 'Style', 'Other works', 'Films', 'Injuids (1335–1357)', 'Muzaffarids (1314–1393)', 'Kara Koyunlu (1375–1468)', 'Aq Koyunlu (1378–1497)', 'Timurid Empire (1370–1507)', 'Safavid Empire (1501–1736)', 'Afsharid Empire (1736–1796)', 'Zand Kingdom (1751–1794)', 'Qajar Empire (1794–1925)', 'Pahlavi Empire (1925–1979)'], ['History', 'Transport links', 'Types', 'Barbiturate', 'Quinazolinones', 'Benzodiazepines', 'Nonbenzodiazepines', 'Others', 'Melatonin', 'Antihistamines', 'Antidepressants', 'Antipsychotics', 'Customs', 'Local customs', '"Auld Lang Syne"', 'In the media', 'Presbyterian influence', 'Major celebrations', "Ne'erday", 'Handsel Day', 'Notes', 'See also', 'Rise of Shramanic tradition (7th to 5th centuries BCE)', 'Jainism', 'Buddhism', 'Spread of Jainism and Buddhism (500–200 BCE)', 'Epic and Early Puranic Period (200 BCE – 500 CE)', 'Smriti', 'Vedanta – Brahma sutras (200 BCE)', 'Indian philosophy', 'Hindu literature', 'Jainism and Buddhism', 'References', 'Further reading'], ['Governance, organization, and membership', 'Governing body', 'International Labour Conference', 'Membership', 'Position within the UN', 'Normative function', 'Conventions', 'Protocols', 'Recommendations', 'Definition and purpose', 'Origin', 'Medieval Inquisition', 'Early Modern European history', 'Witch-trials', 'Spanish Inquisition', 'Inquisition in the Spanish overseas empire', 'Portuguese Inquisition', 'Roman Inquisition', 'Ending of the Inquisition in the 19th and 20th centuries', 'Code formation', 'X currencies', 'Treatment of minor currency units (the "exponent")', 'Currency numbers', 'Position of ISO 4217 code in amounts', 'History', 'Early life', 'Childhood to young adulthood: 1878–1899', 'Russian Social-Democratic Labour Party: 1899–1904', 'Revolution of 1905 and its aftermath: 1905–1912', 'Rise to the Central Committee and editorship of Pravda: 1912–1917', 'Russian Revolution: 1917', "In Lenin's government", 'Consolidating power: 1917–1918', 'Military Command: 1918–1921', 'Film', 'Television', 'Video games', 'Radio credits', 'Audio Books', 'Stage', 'Television advertisements', 'Honours and tributes', 'Scholastic', 'Bibliography', 'History', '1900–mid-1930s', 'Late 1930s-1960s', 'Biography', 'Early life and education', 'Diaconate and service in Antioch', 'Archbishop of Constantinople', 'Exile and death', 'Post-military career', 'Business roles', 'Diplomatic roles', 'National Security Advisor', 'Advocate for Iranian dissidents', 'Personal life', 'See also', 'Notes', 'References', 'Attribution', 'Early life and education', 'Childhood', 'Studying in Vienna', 'Career']]



['Wikipedia: Eadgyth', 'Wikipedia: Expert system', 'Wikipedia: Emperor Kōrei', 'Wikipedia: Telecommunications in the Falkland Islands', 'Wikipedia: Frédéric Bastiat', 'Wikipedia: Gioachino Rossini', 'Wikipedia: Governor of Victoria', 'Wikipedia: Gimlet (tool)', 'Wikipedia: High anxiety', 'Wikipedia: Hispaniola', 'Wikipedia: Homology', 'Wikipedia: Hamster', 'Wikipedia: July 5', 'Wikipedia: James Lovelock']
[['Theatrical feature films', 'TV specials', 'TV series', 'Adaptations', 'See also', 'References', 'Further reading'], ["Hilbert's tenth problem", 'Diophantine geometry', 'Modern research', 'Infinite Diophantine equations', 'Exponential Diophantine equations', 'See also', 'Notes', 'References', 'Further reading'], ['Nations', 'Population genetics', 'Population density', 'Largest cities', 'Immigration and emigration', 'Culture', 'Language', 'Music', 'Cuisine', 'Literature', 'History', 'Statistical experiments, following Charles S. Peirce', 'Randomized experiments', 'Optimal designs for regression models', 'Sequences of experiments', "Fisher's principles", 'Example', 'Avoiding false positives', 'Discussion topics when setting up an experimental design', 'Causal attributions', 'History', 'Standardized rules of play', 'Equipment', 'Setup', 'Break', 'Turn-taking', 'Selection of the target group', 'Pocketing the 8 ball', 'Winning'], ['Life', 'Children', 'History', 'Early development', 'Formal introduction & later developments', 'Notes', 'References', 'Further reading', 'References'], ['Radio and television', 'Goalkeepers', 'General play', 'Set plays', 'Free hits', '2009 experimental changes', 'Attacking-free hit from quarter line', 'Penalty corner', 'Penalty stroke', 'Dangerous play and raised balls', 'Warnings and suspensions', 'Wargaming', 'Sport', 'Recent developments', 'See also', 'References', 'Further reading'], ['See also', 'References'], ['Climate', 'Demographics', 'Economy', 'Major industries and commercial activity', 'Sustainability programs', 'Arts and culture', 'Government', 'Education', 'Higher education', 'Retail', 'World War II', 'U.S. service', 'Navy testing and release to the U.S. Marine Corps', 'Marine Corps combat', 'Field modifications for land-based Corsairs', 'Fighter-bomber', 'Navy service', 'Sortie, kill and loss figures', 'Royal Navy', 'Enhancement for carrier suitability', 'New Zealand', 'United States', 'Tracker databases', 'Gang injunctions', 'Hotlines and reward programs', 'Search warrants', 'See also', 'References', 'Further reading'], ['Geology', 'Climate', 'Lake effect', 'Ecology', 'Fauna', 'Microbiology', 'Flora', 'Pollution', 'Mercury', 'Sewage', 'Vital statistics', 'Life expectancy', 'Other demographic statistics', 'Age structure', 'Median age', 'Birth rate', 'Death rate', 'Total fertility rate', 'Population growth rate', 'Contraceptive prevalence rate', 'Life and career', 'Early life', 'First operas: 1810–1815', 'Naples and Il barbiere: 1815–1820', 'Model 1: Anterograde vesicular transport between stable compartments', 'Model 2: Cisternal progression/maturation', 'Model 3: Cisternal progression/maturation with heterotypic tubular transport', 'Model 4: Rapid partitioning in a mixed Golgi', 'Model 5: Stable compartments as cisternal model progenitors', 'Brefeldin A', 'Gallery', 'References'], ['Powers', 'Role of governor', "Governor's Personal Standard", 'See also', 'References'], ['Topics studied', 'Approaches', 'Related fields', 'See also', 'Methods', 'Topics', 'References', 'Bibliography', 'Theory', 'Guides to scholarship', 'Natural harbors', 'Ice-free harbors', 'Important harbors', 'See also', 'Notes'], ['Work for recording artists', 'Interior decoration', 'Video games', 'Recognition', 'References'], ['See also', 'Notes and references', 'Bibliography', 'Railways', 'Ferry', 'Motorways', 'Notable people', 'References', 'Notes', 'Bibliography'], ['Miscellaneous others', 'Risks', 'See also', 'Notes', 'References', 'Further reading'], ['References'], ['Classification', 'Tantra', 'Medieval and Late Puranic Period (500–1500 CE)', 'Late-Classical Period (c. 650–1100 CE)', 'Vedanta', 'Bhakti', 'Early Islamic rule (c. 1100–1500 CE)', 'Bhakti movement', 'Lingayatism', 'Unifying Hinduism', 'Sikhism (15th century)', 'Competition structure and participation', 'Summary', 'All Time Medal Table', 'Multiple IOI winners', 'Feeder competitions', 'Notes', 'See also', 'References'], ['History', 'Origins', 'IFTU Bern Conference', 'Commission on International Labour Legislation', 'Interwar period', 'Wartime and the United Nations', 'Cold War era', 'Programmes', 'Labour statistics', 'Training and teaching units', 'Statistics', 'Appearance in popular media', 'See also', 'Documents and works', 'Notable inquisitors', 'Notable cases', 'Repentance', 'References', 'Bibliography'], ['Active codes', 'USD/USS/USN, three currency codes belonging to the US', 'Future codes', 'Non ISO 4217 currencies', 'Currencies without ISO 4217 currency codes', 'Unofficial currency codes', 'Currency subdivisions', 'Cryptocurrencies', 'Historical currency codes', 'See also', "Lenin's final years: 1921–1923", 'Rise to power', 'Succeeding Lenin: 1924–1927', 'Dekulakisation, collectivisation, and industrialisation: 1927–1931', 'Economic policy', 'Cultural and foreign policy', 'Major crises: 1932–1939', 'Famine', 'Ideological and foreign affairs', 'The Great Terror', 'Dialogues', 'See also', 'Notes', 'References', 'Published works'], ['1970s', '1980s–2000s', 'Types of guitars', 'Archtop guitars', 'Other guitars', 'Musical ingredients', 'Rhythm', 'Harmony', 'Melody', 'Improvisation', 'Veneration and canonization', 'Writings', 'Homilies', 'Paschal Homily', 'General', 'Homilies against Jews and Judaizing Christians', 'Homily against homosexuality', 'Treatises', 'Liturgy', 'Legacy and influence'], ['Early life and education', 'Career', 'Incompleteness theorem', 'Mid-1930s: further work and U.S. visits', 'Princeton, Einstein, U.S. citizenship', 'Awards and honours', 'Later life and death', 'Personal life', 'Religious views', 'Legacy', 'Bibliography', 'Important publications']]



['Wikipedia: Digital compositing', 'Wikipedia: Diophantus', 'Wikipedia: Kingdom of Essex', 'Wikipedia: Transport in the Falkland Islands', 'Wikipedia: Forgotten Futures', 'Wikipedia: Godzilla', 'Wikipedia: GFDL (disambiguation)', 'Wikipedia: Geometric mean', 'Wikipedia: H', 'Wikipedia: Hugh Binning', 'Wikipedia: HMS Dunraven', 'Wikipedia: Hacker ethic', 'Wikipedia: Iota', 'Wikipedia: Isaac', 'Wikipedia: Irgun', 'Wikipedia: Karl Marx']
[['Mathematics', 'Algebraic properties', 'Software', 'Node-based and layer-based compositing', 'See also', 'Biography', 'Arithmetica', 'History', 'Art', 'Sports', 'Health', 'Education', 'Sciences and research', 'Nature Index - Top 10 institutions from Ecuador', 'High Performance Computing', 'See also', 'References', 'Further reading', 'Statistical control', 'Experimental designs after Fisher', 'Human participant constraints', 'See also', 'References', 'Sources'], ['Fouls', 'Derivative games and variants', 'Blackball', 'Eight-ball rotation', 'See also', 'References'], ['Tomb', 'References', 'Sources'], ['Current approaches to expert systems', 'Software architecture', 'Advantages', 'Disadvantages', 'Applications', 'See also', 'References'], ['Legendary narrative', 'Known information', 'Consorts and children', 'See also', 'Notes', 'References', 'Further reading', 'Telephones', 'Internet', 'References'], ['Scoring', 'Rule change procedure', 'Local rules', 'Equipment', 'Field hockey stick', 'Field hockey ball', 'Goalkeeping equipment', 'Tactics', 'International competition', 'Variants', 'Game system', 'Versions', 'Reception', 'See also', 'References'], ['Biography', 'Works', "Economic Sophisms and the candlemakers' petition", 'The Law (1850)', '"What is Seen and What is Not Seen"', 'Debate with Pierre-Joseph Proudhon', 'Views', 'Negative railroad', "Bastiat's tomb", 'Books', 'Media', 'Transportation', 'Air travel', 'Streets', 'Transit and taxi', 'Cycling', 'Electric scooters', 'Infrastructure', 'Commercial shipping', 'Facilities', 'Deployment', 'Royal New Zealand Air Force', 'Captured Corsairs', 'Korean War', 'Aéronavale', 'First Indochina War', 'Suez Crisis', 'Algerian War', 'Tunisia', 'French experiments', 'Impacts of climate change on algae', 'History', 'Economy', 'Fishing', 'Shipping', 'Drinking water and compact', 'Recreation', 'Great Lakes passenger steamers', 'Shipwrecks', 'Legislation', 'Net migration rate', 'Life expectancy at birth', 'Dependency ratios', 'Urbanization', 'Sex ratio', 'Nationality', 'Ethnic groups{{cite web|url=', 'Religions===', 'Languages===', 'Literacy', 'Vienna and London: 1820–1824', 'Paris and final operas: 1824–1829', 'Early retirement: 1830–1855', 'Sins of old age: 1855–1868', 'Music', '"The Code Rossini"', 'Overtures', 'Arias', 'Structure', 'Early works', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Related offices', 'Australianisation of the office', 'List of Governors of Victoria', 'Lieutenant-governors', 'Governors', 'Living former governors', 'Line of succession', 'See also', 'References'], ['Use as a metaphor', 'Further reading', 'References', 'Histories of historical writing', 'Feminist historiography', 'National and regional studies', 'Asia and Africa', 'Britain', 'British Empire', 'France', 'Germany', 'United States', 'Themes, organizations, and teaching', 'See also', 'History', 'Etymology', 'Pre-Columbian', 'Post-Columbian', 'Geography', 'Fauna', 'Flora', 'Sciences', 'Biology', 'Chemistry', 'Other sciences', 'Mathematics', 'Other uses', 'See also', 'Personal life', 'Impact of the Commonwealth', 'Politics', 'Theology', 'Works', 'Notes and references'], ['Relationships among hamster species', 'History', 'Etymology', 'Description', 'Senses', 'Diet', 'Behavior', 'Feeding', 'Social behavior', 'Chronobiology', 'Modern period (1500–present)', 'Early modern period', 'Modern India (after 1800)', 'Hinduism', 'Similarities and differences', 'Similarities', 'Dharma', 'Soteriology', 'Ritual', 'Mythology', 'Symbol', 'Character encodings', 'References', 'Child labour', "ILO's response to child labour", 'Exceptions in indigenous communities', 'Issues', 'Forced labour', 'Minimum wage law', 'HIV/AIDS', 'Migrant workers', 'Domestic workers', 'ILO and globalization', 'Etymology', 'Genesis narrative', 'Birth', 'Notes', 'References'], ['World War II', 'Pact with Nazi Germany: 1939–1941', 'German invasion: 1941–1942', 'Soviet counter-attack: 1942–1945', 'Victory: 1945', 'Post-war era', 'Post-war reconstruction and famine: 1945–1947', 'Cold War policy: 1947–1950', 'Eastern Bloc', 'Asia', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['Playing styles', 'Big band rhythm', 'Small group comping', 'Chord-melody and unaccompanied soloing', '"Blowing" or single-note soloing', 'Chord soloing', 'See also', 'References', 'Further reading'], ['Influence on the Catechism of the Catholic Church and clergy', 'Music and literature', 'The legend of the penance of Saint John Chrysostom', 'Relics', 'See also', 'Notes', 'References', 'Collected works', 'Further reading', 'Bibliography', 'CFCs', 'Gaia hypothesis', 'Nuclear power', 'Climate', 'Geoengineering', 'Sustainable retreat', 'Prizes and other honours', 'Honours', 'Commonwealth honours', 'Scholastic', 'See also', 'Notes', 'References', 'Further reading'], []]



['Wikipedia: Dandy', 'Wikipedia: History of Ecuador', 'Wikipedia: Empirical research', 'Wikipedia: Earned value management', 'Wikipedia: Edward de Vere, 17th Earl of Oxford', 'Wikipedia: Emperor Kōgen', "Wikipedia: Finagle's law", 'Wikipedia: Fabritio Caroso', 'Wikipedia: Falsifiability', 'Wikipedia: German', 'Wikipedia: Politics of Guinea-Bissau', 'Wikipedia: Grace Hopper', 'Wikipedia: George Bernard Shaw', 'Wikipedia: Holy Roman Empire', 'Wikipedia: Henry J. Heinz', 'Wikipedia: Henry Home, Lord Kames', 'Wikipedia: ISP (disambiguation)', 'Wikipedia: IMO', 'Wikipedia: July 6', 'Wikipedia: James Watt', 'Wikipedia: James Heckman']
[['Further reading', 'Etymology', 'Beau Brummell and early British dandyism', 'Margin-writing by Fermat and Chortasmenos', 'Other works', 'The Porisms', 'Polygonal numbers and geometric elements', 'Influence', 'Diophantine analysis', 'Mathematical notation', 'See also', 'Notes', 'References'], ['Pre-Columbian Ecuador', 'Period of Regional Development', 'Terminology', 'Usage', 'Scientific research', 'Empirical cycle', 'See also', 'References', 'Overview', 'Application example', 'History', 'Project tracking', 'With EVM', 'Earned value (EV)', 'Extent', 'History', 'Origin', 'Essex monarchy', 'Christianity', 'Later history and end', 'List of kings', 'References', 'Family and childhood', 'Wardship', 'Coming of age', 'Marriage', 'Foreign travel', 'Legendary narrative', 'Known information', 'Consorts and children', 'See also', 'Notes', 'References', 'Road', 'Sea', 'Rail', 'Air', 'References'], ['Hockey5s', 'Hockey in popular culture', 'References'], ['Bibliography', 'Notes'], ['See also', 'References', 'Further reading'], ['Police', 'Notable people', 'In popular culture', 'Publicity', 'See also', 'References'], ['"Football War"', 'Legacy', 'Variants', 'Super Corsair variants', 'Operators', 'Surviving aircraft', 'Specifications F4U-4', 'Notable appearances in media', 'See also', 'References', 'See also', 'References', 'Further reading'], ['Dynamically updated data', 'References', 'Political developments', '2009 assassination', 'Italy, 1813–1823', 'France, 1824–1829', 'Withdrawal, 1830–1868', 'Influence and legacy', 'Notes, references and sources', 'Notes', 'References', 'Sources', 'Books', 'Journals and articles', 'Short description is different from Wikidata', 'Early life and education', 'Career', 'Life', 'Early years', 'London', 'Calculation', 'Comparison to arithmetic mean', 'Average growth rate', 'Application to normalized values', 'Applications', 'Proportional growth', 'Financial', 'Applications in the social sciences', 'Geometry', 'Aspect ratios'], ['Name', 'History', 'History', 'Name in English', 'Use in writing systems', 'English', 'Other languages', 'Other systems', 'Related characters', 'Descendants and related characters in the Latin alphabet', 'Ancestors, siblings and descendants in other alphabets', 'Climate', 'Demographics', 'Ethnic composition', 'Economics', 'See also', 'References'], ['Early life and education', 'H. J. Heinz Company', 'Marriage and family', 'Death', 'Notes', 'Further reading', 'Bibliography', 'References'], ['History', 'The hacker ethics', 'Sharing', 'Hands-On Imperative', 'Community and collaboration', 'Levy\'s "true hackers"', 'Other descriptions', 'Burrowing behavior', 'Reproduction', 'Fertility', 'Gestation and fecundity', 'Intersexual aggression and cannibalism', 'Weaning', 'Longevity', 'Society and culture', 'Hamsters as pets', 'Hamster shows', 'Differences', 'Āstika and nāstika categorisation', '"Dharmic religions"', 'Status of non-Hindus in the Republic of India', 'See also', 'Notes', 'References', 'Sources', 'Printed sources', 'Web sources', 'Places', 'Education', 'Law enforcement', 'Organizations', 'Future of Work', 'See also', 'References', 'Further reading'], ['Binding', 'Family life', 'Migration', 'Birthright', 'Family tree', 'Burial site', 'Jewish views', 'Christian views', 'New Testament', 'Islamic views', 'Nature of the movement', 'Structure of organization', 'Prior to World War II', 'Founding', "Under Tehomi's command", 'The first split', 'Illegal immigration', 'End of restraint', 'Increase in operations', 'During the same period', 'Final years: 1950–1953', 'Death, funeral and aftermath', 'Political ideology', 'Personal life and characteristics', 'Personality', 'Relationships and family', 'Legacy', 'Death toll and allegations of genocide', 'In the Soviet Union and its successor states', 'See also', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'Early life and education', 'Biography', 'Watt and the kettle', 'Primary sources', 'Secondary sources'], ['Works', 'Orthodox feast days', 'Memberships and Fellowships', 'Personal life', 'Portraits of Lovelock', 'Bibliography', 'See also', 'References', 'Further reading'], ['Biography', 'Childhood and early education: 1818–1836', 'Hegelianism and early journalism: 1836–1843', 'Paris: 1843–1845', 'Brussels: 1845–1848', 'Cologne: 1848–1849', 'Move to London and further writing: 1850–1860', 'New-York Daily Tribune and journalism']]



['Wikipedia: Dubbing (filmmaking)', 'Wikipedia: Duke Kahanamoku', 'Wikipedia: Edgar Allan Poe', 'Wikipedia: Electron microscope', 'Wikipedia: Erinyes', 'Wikipedia: Emperor Sujin', 'Wikipedia: History of the Faroe Islands', 'Wikipedia: Girth (graph theory)', 'Wikipedia: Economy of Guinea-Bissau', 'Wikipedia: Gent', 'Wikipedia: George Eliot', 'Wikipedia: Harwich', 'Wikipedia: Idaho', 'Wikipedia: International English', 'Wikipedia: Italian Football League', 'Wikipedia: June 8', 'Wikipedia: Judith of Poland', 'Wikipedia: Joachim von Ribbentrop']
[['Origins', 'Methods', 'ADR/post-sync', 'Persons', 'Entertainment', 'Other uses', 'See also', 'Struggle for independence and birth of the republic', 'Gran Colombia', 'The Republic of Ecuador', 'The early republic', 'The era of conservatism (1860–1895)', 'The liberal era (1895–1925)', 'Early 20th century', 'The postwar era (1944–1948)', 'Constitutional rule (1947–1960)', 'Instability and military governments (1960–1979)', 'References'], ['Life and career', 'History', 'Types', 'Transmission electron microscope (TEM)', 'Serial-section electron microscopy (ssEM)', 'Film and television', 'Fictional characters and items', 'Games', 'Music', 'Bands', 'Albums', 'Songs', 'Other uses', 'See also', 'Etymology', 'Description', 'Three sisters', 'Consorts and children', 'See also', 'Notes', 'References', 'Further reading', 'Augmentation forces', 'Commanders', 'British Forces South Atlantic Islands installations', 'See also', 'Sources', 'History', 'Classical theory', 'The Standard Model', 'Overview of the fundamental interactions', 'The interactions', 'Gravity', 'Electroweak interaction', 'Electromagnetism', '1967–93', 'Battle of Karameh', 'Black September', 'Lebanon', 'After 1993', 'Presidential and legislative elections', 'Internal discord', '2009 6th General Assembly', 'Elections to Central Committee and Revolutionary Council', 'Reconciliation process with Hamas', "Newton's theory", "Einstein's equivalence principle", 'Evolution', 'Industrial melanism', 'Precambrian rabbit', 'Simple examples of non-falsifiable statements', 'Omphalos hypothesis', 'Useful metaphysical statements', 'Natural selection', 'Mathematics', 'Execution of Thomas Doughty', 'Entering the Pacific (1578)', 'Capture of Spanish treasure ships', 'Coast of California: Nova Albion (1579)', 'Across the Pacific and around Africa', 'Return to Plymouth (1580)', 'Knighthood and arms', 'Purchase of Buckland Abbey', 'Political career', 'Great Expedition to America', 'Biography', 'Early life', 'Kidnapping', 'Personal', 'Popular culture', 'Book', 'References'], ['Cages', 'Girth and graph coloring', 'Related concepts', 'References', 'International organization participation', 'References', 'Economic history', 'Etymology', 'Use', 'Gobbledygook', 'In acting', 'Other terms and usage', 'See also', 'References'], ['Military awards', 'Other awards', 'Legacy', 'Places', 'Programs', 'In popular culture', 'Grace Hopper Celebration of Women in Computing', 'Notes', 'Obituary notices', 'See also', 'Works', 'Plays', 'Early works', '1900–1909', '1910–1919', '1920–1950', 'Music and drama reviews', 'Music', 'Drama', 'Political and social writings', 'See also', 'Late Middle Ages', 'Rise of the territories after the Hohenstaufens', 'Imperial reform', 'Reformation and Renaissance', 'Baroque period', 'Modern period', 'Prussia and Austria', 'French Revolutionary Wars and final dissolution', 'Institutions', 'Imperial estates', 'Computing', 'Education', 'Science', 'Organizations', 'Other uses', 'See also', 'Personal life', 'Activism', 'Public image', 'Filmography', 'Film', 'Television', 'Awards and nominations', 'See also', 'References', 'Bibliography', '20th century', '21st century', 'Heinz and Kraft  merger', 'Brands', 'International presence', 'United States', 'Australia', 'Canada', 'India', 'Indonesia', 'History', 'Royal Naval Dockyard', 'Transport', 'Lighthouses', 'Architecture', 'Etymology', 'History', 'International scale', 'Types', 'International luxury', 'Lifestyle luxury resorts', 'Upscale full-service', 'Boutique', 'Stone Age', 'Paleolithic', 'Mesolithic', 'Neolithic', 'Bronze Age', 'Iron Age', 'Pre-Roman period: 500 BC – 1 BC', 'Roman period: 1 AD – 400 AD', 'Migration period: 400 AD – 575 AD', 'Etymology', 'Geography', 'Climate', 'Signs and symptoms', 'Psychological impact', 'Causes', 'Pathophysiology', 'Diagnosis', 'Ultrasonography', 'Other workup methods', 'Treatment', 'Medications', 'Testosterone', 'Historical context', 'English as a global language', 'English as a lingua franca in foreign language teaching', 'Basic Global English', 'Varying concepts', 'Universality and flexibility', 'History', 'IFL teams', 'Italian Bowl', 'MVP Italian Bowl', 'References', 'The Acre Prison break', 'The Sergeants affair', 'The 1948 Palestine War', 'Integration with the IDF and the Altalena Affair', 'Propaganda', 'Criticism', 'Description as a terrorist organization', 'Accusations of fascism', 'Other', 'See also', 'History', 'January symbols', 'January observances', 'Month-long observances', 'Food months in the United States', 'Non-Gregorian observances, 2020 dates', 'Moveable observances, 2020 dates', 'Births', 'Deaths', 'Holidays and observances', 'References'], ["Murdoch's contributions", 'Legacy', 'Honours', 'Memorials', 'Patents', 'References', 'Sources'], [], ['Early years', 'Margravine of Brandenburg', 'Early life', 'Early career', 'Early diplomatic career', 'Background', 'Undermining Versailles', 'Economy, history and society', 'International relations', 'Legacy', 'Selected bibliography', 'See also', 'References', 'Bibliography', 'Further reading', 'Biographies', 'Commentaries on Marx']]



['Wikipedia: Æthelberht of Kent', 'Wikipedia: International Formula 3000', 'Wikipedia: Gun safety', 'Wikipedia: Gnaeus Julius Agricola', 'Wikipedia: GNU Manifesto', 'Wikipedia: Horseshoe', 'Wikipedia: Robert Koch', 'Wikipedia: Iduna', 'Wikipedia: Isoroku Yamamoto', 'Wikipedia: Johnny Unitas', 'Wikipedia: John Locke', 'Wikipedia: Jeffrey Archer', 'Wikipedia: Keno']
[['Process', 'Dialog writing', 'Rythmo band', 'Global use==', 'Dub localization', 'Europe', 'Kids/Family films and programming', 'Albania', 'Belgium', 'Bosnia and Herzegovina', 'Early years', 'Career', 'Post Olympic Career', 'Duncan v. Kahanamoku', 'Death and legacy', 'Statues and monuments', 'Additional tributes', 'Filmography', 'See also', 'Return to democratic rule (1979–1984)', 'Economic crisis (1990–2000)', 'Ecuador since 2000', 'See also', 'References', 'Further reading'], ['Early life', 'Military career', 'Publishing career', 'Death', 'Griswold\'s "Memoir"', 'Literary style and themes', 'Genres', 'Literary theory', 'Legacy', 'Influence', 'Scanning electron microscope (SEM)', 'Reflection electron microscope (REM)', 'Scanning transmission electron microscope (STEM)', 'Scanning tunneling microscopy (STM)', 'Color', 'Sample preparation', 'Disadvantages', 'Applications', 'See also', 'References', 'Historical context', 'Ancestry, accession and chronology', 'Kingship of Kent', 'Relations with the Franks', 'Cult', 'In ancient Greek literature', 'Aeschylus', 'Euripides', 'Sophocles', 'Modern references and literature', 'Notes', 'References'], ['Legendary narrative', 'Enshrining Ōmononushi (Miwa Myōjin)', 'Four Cardinal Quarters (Shidō shogun)', 'Choosing an heir and Divine treasures', 'Later reign and death', 'Historical figure', 'Consorts and children', 'See also', 'Early Gaelic and Norse settlements', 'Pre-14th century', 'Foreign commercial interest: 14th century to Second World War', 'Reformation era', '1600s onwards', 'World War II', 'Post-World War II: Home Rule', 'See also', 'Weak interaction', 'Strong interaction', 'Higgs interaction', 'Beyond the Standard Model', 'See also', 'References'], ['General', 'Texts', '2016 7th Congress', 'Ideology', 'Structure', 'Armed factions', 'Constitution', 'See also', 'References', 'Bibliography'], ['Historicism', 'Use in courts of law', 'McLean v. Arkansas case', 'Daubert standard', 'The bucket and the searchlight', 'The bucket view of science', 'The searchlight view of science', 'Why should falsifiability be the criterion for scientific theories?', 'Controversies', 'Methodless creativity versus inductive methodology', 'Spanish Armada', 'Cádiz raid', 'Defeat of the Spanish Armada', 'Drake–Norris Expedition', 'Defeats and death', 'Cultural impact', 'See also', 'References', 'Bibliography'], ['Engines', 'Chassis', 'Politics', 'Rules and mindset', 'Treat firearms as if they are loaded', 'Point the muzzle away from non-targets', 'Keep fingers off the trigger', 'Be sure of the target and of what is beyond it', 'Early colonialism', 'Colonial era', 'As an overseas province', 'Independence war', 'After independence', 'Present day', 'Macro-economic trend', 'Financial sector', '"Terra Ranka" (A fresh start): a new economic plan', 'Income from waste dumping', 'Early life', 'Political career', 'Governor of Britain', 'References', 'Further reading'], ['Fiction', 'Letters and diaries', 'Miscellaneous and autobiographical', 'Beliefs and opinions', 'Legacy and influence', 'Theatrical', 'General', 'Notes', 'References', 'Citations', 'Life', 'Early life and education', 'Move to Coventry', 'Move to London and editorship of the Westminster Review', 'Relationship with George Lewes', 'Career in fiction', 'Marriage to John Cross and death', 'Literary assessment', 'King of the Romans', 'Imperial Diet (Reichstag)', 'Imperial courts', 'Imperial circles', 'Army', 'Administrative centres', 'Foreign relations', 'Demographics', 'Population', 'Largest cities', 'History', 'China', 'Reasons for use', 'Environmental changes linked to domestication'], ['Early life and education', 'Career', 'Netherlands', 'United Kingdom', 'China', 'New Zealand', 'See also', 'Notes', 'References'], ['Notable residents', 'Politicians', 'Sport', 'See also', 'Notes', 'References'], ['Focused or select service', 'Economy and limited service', 'Extended stay', 'Timeshare and destination clubs', 'Motel', 'Microstay', 'Management', 'Unique and specialty hotels', 'Historic inns and boutique hotels', 'Resort hotels', 'Merovingian period: 575 AD – 800 AD', 'Chronology of languages in Finland', 'Finland under Swedish rule', 'Middle Ages', '16th century', '17th century', '18th century', 'Peasants', 'Historical population of Finland', 'Russian Grand Duchy', 'Lakes/rivers', 'History', 'Demographics', 'Population', 'Religion', 'Language', 'Economy', 'Taxation', 'Energy', 'Transportation', 'Pumps', 'Surgery', 'Alternative medicine', 'History', 'Lexicology', 'References'], ['Neutrality', 'Opposition', 'Appropriation theory', 'Many Englishes', 'Dual standard', 'See also', 'Notes', 'References'], ['All article disambiguation pages', 'All disambiguation pages', 'References', 'Further reading', 'In fiction'], ['Fixed observances', 'References', 'Early life', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['Life and work', 'Ideas', 'Theories of religious tolerance', 'Constitution of Carolina', 'Theory of value and property', 'Death and aftermath', 'References', 'Early life and education', 'Special Commissioner for Disarmament', 'Dienststelle Ribbentrop', 'Ambassador-plenipotentiary at large', 'Anglo-German Naval Agreement', 'Anti-Comintern Pact', "Veterans' exchanges", 'Ambassador to the United Kingdom', 'Foreign Minister of the Reich', "Munich Agreement and Czechoslovakia's destruction", 'French-German Non-Aggression pact, december 1938', 'Fiction works', 'Medical articles'], []]



['Wikipedia: Distinguished Service Medal (U.S. Army)', 'Wikipedia: Geography of Ecuador', 'Wikipedia: List of extinct bird species since 1500', 'Wikipedia: Marquess of Aberdeen and Temair', 'Wikipedia: Emperor Suinin', 'Wikipedia: Geography of the Faroe Islands', 'Wikipedia: Floppy disk', 'Wikipedia: Food and Agriculture Organization', 'Wikipedia: Fast Fourier transform', 'Wikipedia: Telecommunications in Guinea-Bissau', 'Wikipedia: Gross domestic product', 'Wikipedia: Huffman coding', 'Wikipedia: Hendrick Avercamp', 'Wikipedia: Iran–Contra affair', 'Wikipedia: International African Institute', 'Wikipedia: Indic', 'Wikipedia: June 9', 'Wikipedia: Kenyanthropus']
[['Croatia', 'Estonia', 'Greece', 'Ireland', 'Netherlands', 'North Macedonia', 'Poland', 'Portugal', 'Romania', 'Serbia', 'References', 'Further reading'], ['Area and borders', 'Cities', 'Geographical regions', 'Galápagos Islands', 'La Costa', 'La Sierra', 'Physics and cosmology', 'Cryptography', 'In popular culture', 'As a character', 'Preserved homes, landmarks, and museums', 'Photographs', 'Poe Toaster', 'Selected list of works', 'See also', 'References'], ['General', 'Other', 'Rise to dominance', 'Bretwalda', 'Relationships with other kingdoms', "Augustine's mission and early Christianisation", 'Law code', 'Trade and coinage', 'Death and succession', 'Liturgical celebration', 'See also', 'Notes and references', 'Family history', 'Baronetcy of Haddo', 'Earldom of Aberdeen', 'Lord Aberdeen, Prime Minister', 'Notes', 'References', 'Further reading'], ['References', 'Bibliography', 'Further reading', 'History', 'Prevalence', 'Gradual transition to other formats', 'Use in the early 21st century', 'History', 'Structure and finance', 'Budget', 'Directors-General', 'Ahistorical versus historiographical', 'Normal science versus revolutionary science', 'Astrology: falsified or not falsifiable?', 'Anything goes versus scientific method', 'Sokal and Bricmont', 'See also', 'Notes', 'Abbreviated references', 'References', 'Further reading', 'History', 'Definition', 'Algorithms', 'Races', 'The spec-chassis years', 'Final year specifications', 'Champions', 'Other F3000 series', 'References'], ['Range safety rules', 'Malfunctions', 'Failure to fire malfunctions', 'Mechanical malfunctions', 'Storage', 'Gun safes', 'Disassembly', 'Locks', 'Ammunition storage', 'Secondary dangers', 'Drug trafficking', 'See also', 'References'], ['Agricola in Ireland?', 'The invasion of Caledonia (Scotland)', 'Later years', 'See also', 'References', 'Sources'], ['Background', 'Summary', 'See also', 'References'], ['Sources', 'Books', "Shaw's writings", 'Journals', 'Newspapers', 'Online'], ['Works', 'Novels', 'Poetry', 'Other', 'References', 'Citations', 'General sources', 'Further reading', 'Context and background', 'Critical studies', 'Religion', 'See also', 'Notes', 'References', 'Bibliography', 'Further reading', 'In German'], ['Maps', 'Physical stresses requiring horseshoes', 'Horseshoeing theories and debates', 'Process of shoeing', 'Shoeing mistakes', 'In culture', 'Superstition', 'Heraldry', 'Sport', 'See also', 'References', 'Research', 'Isolating pure bacterial cultures', "Koch's four postulates", 'Anthrax', 'Tuberculosis', 'Cholera', 'Acquired immunity', 'Awards and honors', 'Personal life', 'References', 'History', 'Terminology', 'Problem definition', 'Informal description', 'Formalized description', 'Artwork', 'References'], ['Other speciality hotels', 'Bunker hotels', 'Cave hotels', 'Cliff hotels', 'Capsule hotels', 'Day room hotels', 'Garden hotels', 'Ice, snow and igloo hotels', 'Love hotels', 'Referral hotel', 'Economy', 'Nationalism', 'Religion', 'Music', 'Politics', 'Russification', 'Democratic change', 'Emigration trends', 'Independence and Civil War', 'Independence', 'Highways', 'Airports', 'Railroads', 'Ports', 'Law and government', 'State constitution', 'Idaho Code and Statutes', 'State government', 'Executive branch', 'Legislative branch', 'Background', 'Arms sales to Iran', 'First arms sale', 'Modifications in plans', 'Subsequent dealings', 'Discovery and scandal', 'Publications', 'Archives', 'History', 'Africa alphabet', 'Prize for African language literature, 1929-50', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'Family background', 'Early career', '1920s and 1930s', '1940–1941', 'Attack on Pearl Harbor', 'December 1941 – May 1942', 'Battle of Midway, June 1942', 'Actions after Midway', 'Death', 'College career', 'Professional career', 'Pittsburgh Steelers', 'Baltimore Colts', '1958: "The Greatest Game Ever Played"', '1959 MVP season', 'Beginning of the 1960s', '1964 MVP season', '1967 MVP season', 'Super Bowls and final Colt years', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'References', 'Political theory', 'Limits to accumulation', 'On price theory', 'Monetary thoughts', 'The self', 'Dream argument', 'Religious beliefs', 'Philosophy from religion', 'List of major works', 'Major posthumous manuscripts', 'Wellington School', 'Oxford', 'Early career', 'Member of Parliament', 'Financial crisis', 'Writing career', 'Return to politics', 'Deputy party chairman', 'Daily Star libel case', 'Kurdish charity and peerage', 'German threat to Poland and British guarantee', 'Turkey', 'Pact with Soviet Union and outbreak of World War II', 'Relations with wartime allies', 'Declining influence', 'Arrest', 'Trial and execution', 'Film portrayals', 'See also', 'References', 'History', 'Probabilities', 'References']]



['Wikipedia: Electricity', 'Wikipedia: Erwin Schrödinger', 'Wikipedia: Demographics of the Faroe Islands', 'Wikipedia: Freikorps', 'Wikipedia: Flunitrazepam', 'Wikipedia: Guanosine', 'Wikipedia: Galvanization', 'Wikipedia: Guru Meditation', 'Wikipedia: Holiday', 'Wikipedia: Hemoglobin', 'Wikipedia: Hogshead', 'Wikipedia: Hans Baldung', 'Wikipedia: IAI', 'Wikipedia: Papua (province)', 'Wikipedia: January 27', 'Wikipedia: John, King of England']
[['Slovenia', 'United Kingdom', 'Nordic countries', 'General films and programming', 'France', 'Italy', 'Spain', 'Germany, Austria and Switzerland', 'Slovakia', 'Hungary', 'Description', 'Ribbon', 'Criteria', 'Components', 'History of the Distinguished Service Medal', 'Recipients', 'Notable recipients', 'United States Army', 'United States Navy', 'United States Marine Corps', 'Notable Mountains and Volcanoes', 'El Oriente (the East) Amazon Basin', 'Drainage', 'Climate', 'The Sierra', 'The Oriente/Amazon Basin', 'Elevation extremes', 'Natural resources', 'Land use', 'Irrigated land', 'Sources', 'Further reading'], ['Extinct bird species', 'Aepyornithiformes', 'Dinornithiformes', 'Apterygiformes', 'Anseriformes', 'Galliformes', 'Charadriiformes', 'Gruiformes', 'Podicipediformes', 'Cathartiformes', 'Notes', 'References', 'Bibliography'], ['Marquess of Aberdeen and Temair', 'Other family members', 'Gordon baronets, of Haddo (1642)', 'Earls of Aberdeen (1682)', 'Marquesses of Aberdeen and Temair (1916)', 'Line of succession', 'See also', 'References', 'Bibliography', 'Legendary narrative', 'Known information', 'Consorts and children', 'Spouse', 'Concubines', 'Issue', 'See also', 'Notes', 'References', 'Statistics', 'Climate', 'See also', 'Further reading', 'References', 'Legacy', 'Design', 'Structure', '8-inch and -inch disks', '-inch disk', 'Operation', 'Formatting', 'Insertion and ejection', 'Finding track zero', 'Finding sectors', 'Deputy Directors-General', 'Offices', 'FAO headquarters', 'Regional offices', 'Sub-regional offices', 'Liaison offices', 'Priority work areas', 'Programmes and achievements', 'Food', 'Codex Alimentarius', 'Origins', 'Napoleonic era', '1815–71', 'Cooley–Tukey algorithm', 'Other FFT algorithms', 'FFT algorithms specialized for real or symmetric data', 'Computational issues', 'Bounds on complexity and operation counts', 'Approximations', 'Accuracy', 'Multidimensional FFTs', 'Other generalizations', 'Applications', 'Use', 'Adverse effects', 'Dependence', 'Paradoxical effects', 'Hypotonia', 'Other', 'Noise', 'Hot gases and debris', 'Toxins and pollutants', 'Unsafe users', 'Impaired users', 'Children', 'See also', 'References'], ['Movie clips of firearm accidents', 'Radio and television', 'Telephones', 'Internet', 'Internet censorship and surveillance', 'See also', 'References'], ['Physical and chemical properties', 'Functions', 'Uses', 'Sources', 'References', 'History', 'Determining gross domestic product (GDP)', 'Production approach', 'Income approach', 'Expenditure approach', 'Components of GDP by expenditure', 'GDP and GNI', 'International standards', 'Protective action', 'History and etymology', 'Methods', 'Eventual corrosion', 'Galvanized construction steel', 'Galvanized piping'], ['Online editions', 'Description', 'Etymology', 'Types of holiday (observance)', 'Northern Hemisphere winter holidays', 'National holidays'], ['Research history', 'Genetics', 'Further reading'], ['Varieties and standardisation', 'Example', 'Basic technique', 'Compression', 'Decompression', 'Main properties', 'Optimality', 'Variations', 'n-ary Huffman coding', 'Adaptive Huffman coding', 'Huffman template algorithm', 'Life', 'Early life, 1484–?', 'Life as a student of Dürer', 'Strasbourg', 'Witchcraft and religious imagery', 'Work', 'Railway hotels', 'Straw bale hotels', 'Transit hotels', 'Treehouse hotels', 'Underwater hotels', 'Overwater hotels', 'Records', 'Largest', 'Oldest', 'Highest', 'Civil war', 'Finland in the inter-war era', 'Agrarian reform', 'Diplomacy', 'Prohibition', 'Relations with Soviet Union', 'Finland in the Second World War', 'Memorials', 'History 1945 to present', 'Neutrality in Cold War', 'Judicial branch', 'Counties', 'Politics', 'Cities and towns', 'Protected areas', 'National parks, reserves, monuments and historic sites', 'National recreation areas', 'National wildlife refuges and Wilderness Areas', 'National conservation areas', 'State parks', 'Tower Commission', 'Congressional committees investigating the affair', 'Aftermath', 'Indictments', "George H. W. Bush's denial", 'Pardons', 'Modern interpretations', 'Reports and documents', 'See also', 'Footnotes', 'List of Chairmen', 'Notes'], ['See also', 'History', 'Government', 'Personal life', 'Decorations', "Yamamoto's career promotions", 'In popular culture', 'See also', 'Notes', 'Sources'], ['San Diego, retirement, and records', 'Post-playing days', 'NFL career statistics', 'Personal life', 'Legacy', 'See also', 'Notes', 'References', 'Sources'], [], ['Events', 'Births', 'See also', 'References', 'Notes', 'Citations', 'Sources'], ['Works', 'Resources', 'Political statements in 1990s', 'Allegations of insider dealings', 'London mayoral candidature', 'Perjury trial and imprisonment', 'Trial', 'Prison', 'Prison diaries', 'Kurdish aid controversy', 'Subsequent incidents', 'Personal life', 'Bibliography', 'Further reading'], ['Etymology and description', 'Excavation sites', 'Taxonomy', 'Morphology', 'Evolutionary path', 'See also', 'References'], []]



['Wikipedia: Defense Distinguished Service Medal', 'Wikipedia: East Coast Swing', 'Wikipedia: Emperor Keikō', 'Wikipedia: Francisco I. Madero', 'Wikipedia: Fort William, Highland', 'Wikipedia: Go Down Moses', 'Wikipedia: Transport in Guinea-Bissau', "Wikipedia: Gödel's ontological proof", 'Wikipedia: Golden Rule', 'Wikipedia: Gnumeric', 'Wikipedia: Huallaga', 'Wikipedia: Holy Spirit', 'Wikipedia: Infocom', 'Wikipedia: Insulin-like growth factor', 'Wikipedia: Infrared spectroscopy', 'Wikipedia: John Jacob Astor', 'Wikipedia: John Lynch (New Hampshire)', 'Wikipedia: Jewish holidays', 'Wikipedia: Karate']
[['Russia', 'Ukraine', 'Latvia and Lithuania', 'America', 'United States and English-speaking Canada', 'Spanish-speaking countries', 'Mexico', 'Peru', 'Brazil', 'French-speaking Canada', 'United States Air Force', 'Civilians', 'Foreigners', 'See also', 'References'], ['Total renewable water resources', 'Freshwater withdrawal (domestic/industrial/agricultural)', 'Natural hazards', 'Environment - current issues', 'Environment - international agreements', 'Extreme points', 'References'], ['History', 'Concepts', 'Electric charge', 'Electric current', 'Electric field', 'Electric potential', 'Electromagnets', 'Electrochemistry', 'Electric circuits', 'Electric power', 'Pelecaniformes', 'Suliformes', 'Procellariiformes', 'Sphenisciformes', 'Columbiformes', 'Psittaciformes', 'Cuculiformes', 'Falconiformes', 'Strigiformes', 'Caprimulgiformes', 'Biography', 'Early years', 'Middle years', 'Later years', 'Personal life', 'Interest in philosophy', 'Scientific activities', 'Early career', 'Quantum mechanics', 'History', 'Basic technique', 'Timing', 'See also', 'Further reading'], ['Legendary narrative', 'Vital statistics since 1900 Statistical yearbooks of DenmarkStatistics Faroe Islands  ==', 'CIA World Factbook demographic statistics', 'Age structure', 'Sex ratio', 'Infant mortality rate', 'Life expectancy at birth', 'Total fertility rate', 'Nationality', 'Sizes', '8-inch floppy disk', '-inch floppy disk', 'Other sizes', 'Sizes, performance and capacity', 'See also', 'Notes', 'References', 'Further reading'], ['World Food Summit', 'TeleFood', 'FAO Goodwill Ambassadors', 'Right to Food Guidelines', 'Response to food crisis', 'FAO–EU partnership', 'Food security programmes', 'Online campaign against hunger', 'Agriculture', 'International Plant Protection Convention', 'Post-World War I', 'Freikorps units', 'World War II', 'See also', 'References'], ['Research areas', 'Language reference', 'See also', 'References', 'Further reading'], ['Special precautions', 'Interactions', 'Overdose', 'Detection', 'Pharmacology', 'Chemistry', 'History', 'Society and culture', 'Recreational and illegal uses', 'Recreational use', '"Oh! Let My People Go"', 'In popular culture', 'Films', 'Railways', 'Roads', 'Waterways', 'Seaports and harbours', 'Merchant Marine', 'History', 'Outline', 'Symbolic notation', 'Criticism', 'National measurement', 'Nominal GDP and adjustments to GDP', 'Cross-border comparison and purchasing power parity', 'Standard of living and GDP: wealth distribution and externalities', 'Limitations and criticisms', 'Limitations at introduction', 'Further criticisms', 'Proposals to overcome GDP limitations', 'Lists of countries by their GDP', 'See also', 'See also', 'References'], ['Guru Meditation handler', 'Recoverable Alerts', 'System software error codes', 'Origins', 'Legacy', 'References', 'Other secular holidays', 'Unofficial holidays', 'Religious holidays', 'Substitute holidays', 'See also', 'References'], ['Synthesis', 'Structure of heme', 'Oxygen saturation', 'Oxyhemoglobin', 'Deoxygenated hemoglobin', 'Evolution of vertebrate hemoglobin', "Iron's oxidation state in oxyhemoglobin", 'Cooperativity', 'Binding for ligands other than oxygen', 'Competitive', 'Etymology', 'Charts', 'See also', 'References', 'Length-limited Huffman coding/minimum variance Huffman coding', 'Huffman coding with unequal letter costs', 'Optimal alphabetic binary trees (Hu–Tucker coding)', 'The canonical Huffman code', 'Applications', 'References', 'Bibliography'], ['Painting', 'Selected works', 'See also', 'Notes', 'References', 'Further reading'], ['Most expensive purchase', 'Long term residence', 'See also', 'Industry and careers', 'Human habitation types', 'References', 'Further reading'], ['Society and the welfare state', 'Recent history', 'See also', 'References', 'Further reading'], ['Education', 'K–12', 'Colleges and universities', 'Sports', 'Official state emblems', 'In popular culture', 'See also', 'References'], ['References'], ['Overview', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'Administrative divisions', 'Provincial decentralisation history', 'Proposed new regencies, cities and provinces', 'South Papua', 'Central Papua', 'Jayapura City', 'Geography', 'Demographics', 'Ethnic groups', 'Religion', 'Theory', 'Number of vibrational modes', 'Practical IR spectroscopy', 'Sample preparation', 'Gas samples', 'Biography', 'Early life', 'Immigration to the United States', 'Deaths', 'Holidays and observances', 'References'], ['General concepts', 'Groupings', 'Terminology used to describe holidays', '"Work" on Sabbath and biblical holidays', 'Second day of biblical festivals', 'Archer in fiction', 'Bibliography', 'Kane and Abel series', 'Clifton Chronicles', 'William Warwick series', 'Other novels', 'Short stories/collections', 'Plays', 'Prison diaries (non-fiction)', 'For children', 'Early life (1166–1189)', 'Childhood and the Angevin inheritance', 'Early life', "Richard's reign (1189–1199)", 'Early reign (1199–1204)', 'Accession to the throne, 1199', 'Second marriage and consequences, 1200–1202', 'Loss of Normandy, 1202–1204', 'John as king', 'Kingship and royal administration', 'Etymology', 'History', 'Okinawa', 'Japan', 'Practice']]



['Wikipedia: Ecuadorians', 'Wikipedia: Ernst Kaltenbrunner', 'Wikipedia: Fencing', 'Wikipedia: Military of Guinea-Bissau', 'Wikipedia: Georg Wilhelm Friedrich Hegel', 'Wikipedia: Hobby', 'Wikipedia: Honda', 'Wikipedia: High-density lipoprotein', 'Wikipedia: Hammered dulcimer', 'Wikipedia: Hebrew mythology', 'Wikipedia: Hugh Hefner', 'Wikipedia: Italian', 'Wikipedia: IMF (disambiguation)', 'Wikipedia: Johannes Brahms']
[['Asia', 'China', 'Taiwan', 'Hong Kong', 'Israel', 'Japan', 'South Korea', 'Thailand', 'Indonesia', 'Philippines', 'Criteria', 'Appearance', 'Notable recipients', 'References', 'Population', 'Census data', 'UN estimates', 'Structure of the population', 'Vital statistics', 'Electronics', 'Electromagnetic wave', 'Production and uses', 'Generation and transmission', 'Applications', 'Electricity and the natural world', 'Physiological effects', 'Electrical phenomena in nature', 'Cultural perception', 'See also', 'Apodiformes', 'Coraciiformes', 'Piciformes', 'Passeriformes', 'Possibly extinct bird subspecies or status unknown', 'Struthioniformes', 'Casuariiformes', 'Tinamiformes', 'Ciconiiformes', 'Pterocliformes', 'New quantum theory', 'Creation of wave mechanics', 'Work on a unified field theory', 'Colour', 'Legacy', 'Honors and awards', 'Published works', 'References', 'Sources'], ['References', 'Biography', 'SS career', 'Known information', 'Consorts and children', 'Spouse', 'Concubines', 'Issue', 'See also', 'Notes', 'References', 'Further reading', 'Ethnic groups', 'Religions', 'Languages', 'Literacy', 'Population by island', 'See also', 'References', 'Competitive fencing', 'Governing body', 'Rules', 'Plant Treaty (ITPGRFA)', 'Alliance Against Hunger and Malnutrition', 'Integrated pest management', 'Transboundary pests and diseases', 'Global Partnership Initiative for Plant Breeding Capacity Building', 'Investment in agriculture', 'Globally Important Agricultural Heritage Systems (GIAHS)', 'Animal Genetic Resources', 'Forestry', 'Fisheries', 'Early years (1873–1903)', 'Family background', 'Education', 'Return to Mexico', 'Political career', 'Introduction to politics (1903–1908)', 'Leader of the Anti-Re-election Movement (1908–1909)', 'Origins', 'History', 'Future development', 'Geography', 'Climate', 'Transport', 'Sports', 'Suicide', 'Drug-facilitated sexual assault', 'Drug-facilitated robbery', 'Regional use', 'Names', 'References'], ['Literature', 'Music', 'Television', 'Recordings', 'See also', 'References', 'Bibliography'], ['Airports', 'See also', 'References', 'Computer-verified versions', 'In literature', 'See also', 'Notes', 'References', 'Further reading'], ['Notes and references', 'Further reading'], ['Global', 'Data', 'Articles and books', 'Etymology', 'Ancient history', 'Ancient Egypt', 'Ancient India', 'Sanskrit tradition', 'Tamil tradition', 'Ancient Greece', 'Ancient Persia', 'Ancient Rome', 'Religious context', 'Features', 'Gnumeric under Microsoft Windows', 'See also', 'References'], ['Etymology', 'History', 'Hobbyists', 'Types of hobbies', 'Collecting', 'Making and tinkering', 'Allosteric', 'Types in humans', 'Degradation in vertebrate animals', 'Role in disease', 'Diagnostic uses', 'Athletic tracking and self tracking uses', 'Analogues in non-vertebrate organisms', 'Other oxygen-binding proteins', 'Presence in nonerythroid cells', 'In history, art and music', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'Overview', 'Testing', 'Structure and function', 'Subfractions', 'Major lipids in the human body', 'Strings and tuning', 'Hammers', 'Variants and adaptations', 'Around the world', 'See also', 'References', 'See also', 'Etymology', 'Comparative religion', 'Abrahamic religions', 'Judaism', 'Christianity', 'Islam', "Bahá'í Faith", 'Other uses', 'See also', 'History', 'The beginning', 'Reception', 'Invisiclues', 'Interactive fiction', 'Cornerstone', 'Changing marketplace', 'Activision takeover', 'Closure and afterward', 'Titles and authors', 'IGF1/GH Axis', 'IGF receptors', 'Organs and tissues affected by IGF-1', 'IGF-Binding Proteins', 'Diseases affected by IGF', 'See also', 'References', 'Economy', 'Ecology', 'See also', 'References'], ['Liquid samples', 'Solid samples', 'Comparing to a reference', 'FTIR', 'Infrared microscopy', 'Other methods in molecular vibrational spectroscopy', 'Absorption bands', 'Regions', "Badger's rule", 'Uses and applications', 'Fortune from fur trade', 'Real estate and retirement', 'Marriage and family', 'Fraternal organizations', 'Legacy', 'See also', 'Notes', 'References', 'Further reading'], ['Early life, education and career', 'Governor of New Hampshire', 'Electoral history', 'Tenure', 'Taxes', 'Crime', 'Death penalty', 'Natural disaster response', 'Same-sex marriage', 'Holidays of biblical and rabbinic (Talmudic) origin', 'Shabbat—The Sabbath', 'Rosh Chodesh—The New Month', 'Rosh Hashanah—The Jewish New Year', 'Selichot', 'Rosh Hashanah', 'Four New Years', 'Aseret Yemei Teshuva—Ten Days of Repentance', 'Tzom Gedalia—Fast of Gedalia', 'Yom Kippur—Day of Atonement', 'See also', 'References', 'Further reading'], ['Interviews', 'Economy', 'Royal household and ira et malevolentia', 'Personal life', 'Later reign (1204–1214)', 'Continental policy', 'Scotland, Ireland and Wales', 'Dispute with the Pope', "Failure in France and the First Barons' War (1215–1216)", 'Tensions and discontent', 'Failure of the 1214 French campaign', 'Kihon', 'Kata', 'Kumite', 'Dōjō Kun', 'Conditioning', 'Sport', 'Rank', 'Philosophy', 'Influence outside Japan', 'Africa']]



['Wikipedia: Dacoity', 'Wikipedia: Empedocles', 'Wikipedia: Eli Whitney', 'Wikipedia: EasyWriter', 'Wikipedia: Emperor Seimu', 'Wikipedia: Politics of the Faroe Islands', 'Wikipedia: Fuel cell', 'Wikipedia: General relativity', 'Wikipedia: List of gymnasts', 'Wikipedia: GNU Debugger', 'Wikipedia: History of England', 'Wikipedia: Humanae vitae', 'Wikipedia: Helium-3', 'Wikipedia: Interrogatories', 'Wikipedia: Interactive fiction', 'Wikipedia: IGF', 'Wikipedia: Interdisciplinarity', 'Wikipedia: Irenaeus', 'Wikipedia: Julian calendar', 'Wikipedia: J. R. R. Tolkien']
[['Free-to-air TV', 'Pay TV', 'Cinema', 'India', 'Pakistan', 'Vietnam', 'Singapore', 'Iran', 'Georgia', 'Azerbaijan', 'Etymology', 'History', 'Bandits of Morena and Chambal', 'Other dacoity', 'Notable dacoits', 'Protection measures', 'CIA World Factbook demographic statistics', 'Geography', 'Nationality, ethnicity, and race', 'Afro-Ecuadorian', 'Indigenous', 'Sierra Indigenous', 'Oriente Indigenous', 'Culture', 'Language', 'Religion', 'Notes', 'References'], ['See also', 'Footnotes', 'References'], ['History', 'Reception', 'See also', 'World War II', 'Arrest', 'Nuremberg trials', 'Conviction and execution', 'Dates of rank', 'See also', 'References', 'Notes', 'Citations', 'Bibliography', 'Legendary narrative', 'Known information', 'See also', 'Notes', 'Executive branch', 'Current government', 'Legislative branch', 'Political parties and elections', 'Administrative divisions', 'International affairs', 'History', 'Development into a sport', 'Weapons', 'Foil', 'Épée', 'Sabre', 'Equipment', 'Protective clothing', 'Grips', 'Electric equipment', 'Statistics', 'Flagship publications', 'Membership', 'Criticism', '1970s, 80s, 90s', '2000s', 'World food crisis', 'FAO renewal', 'See also', 'Notes', 'Campaign, arrest, escape 1910', 'Plan of San Luis Potosí and rebellion', 'Interim Presidency of De la Barra (May–November 1911)', 'Madero presidency (November 1911 – February 1913)', 'Rebellions', 'Zapatista rebellion', 'Reyes rebellion', 'Orozco rebellion', 'Félix Díaz rebellion', 'Ten Tragic Days and death of Madero', 'Climbing', 'Mountain biking', 'Motorcycle trials', 'Others', 'As a film location', 'Festivals', 'Education', 'Notable people', 'Notes', 'References', 'History', 'Types of fuel cells; design', 'Proton-exchange membrane fuel cells (PEMFCs)', 'Proton-exchange membrane fuel cell design issues', 'Phosphoric acid fuel cell (PAFC)', 'Solid acid fuel cell (SAFC)', 'History', 'From classical mechanics to general relativity', 'Geometry of Newtonian gravity', 'Relativistic generalization', "Einstein's equations", 'Internal culture', '2010 Guinea-Bissau military unrest', 'International drug trade', 'Angolan assistance', 'Army equipment', 'Air Force', 'Navy', 'References', 'Further reading'], ['Artistic gymnasts', 'Female (artistic)', 'Male (artistic)', 'Rhythmic gymnasts', 'Female (rhythmic)', 'Trampoline gymnasts', 'Life', 'Early years', 'Childhood', 'Tübingen (1788–1793)', 'Bern (1793–1796) and Frankfurt (1797–1801)', 'Career years', 'Jena, Bamberg and Nuremberg (1801–1816)', 'Abrahamic religions', 'Judaism', 'Christianity', 'Islam', "Bahá'í Faith", 'Indian religions', 'Hinduism', 'Buddhism', 'Jainism', 'Sikhism', 'History', 'Technical details', 'Features', 'Remote debugging', 'Graphical user interface', 'Activity participation', 'Liberal arts pursuits', 'Sports and games', 'Psychological role', 'Significant achievements', 'See also', 'References'], ['See also', 'References', 'Further reading'], ['History', 'Corporate profile and divisions', 'Products', 'Automobiles', 'Motorcycles', 'ATVS', 'Power equipment', 'Epimodility', 'Estimating HDL via associated cholesterol', 'Recommended ranges', 'Measuring HDL concentration and sizes', 'Electrophoresis measurements', 'NMR measurements', 'Optimal total and large HDL concentrations', 'Memory', 'Increasing HDL levels', 'Diet and exercise', 'Further reading'], ['Summary', 'Early life', 'Career', 'Personal life', 'Playboy Mansion', 'Politics and philanthropy', 'Death', 'Criticism', 'Other religions', 'Hinduism', 'Zoroastrianism', 'See also', 'References', 'Works cited', 'Use', 'Specific jurisdictions', 'England and Wales', 'United States', 'See also', 'Other titles', 'Collections', 'Legacy', 'References'], ['All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Entertainment', 'Science and technology', 'Other uses', 'Isotope effects', 'Two-dimensional IR', 'See also', 'References'], ['Table of months', 'History', 'Motivation', 'Historic popularity', 'Presidential endorsements', 'Personal life', 'References', 'Sources', 'Star Science Fiction Stories (1953)', 'The Magazine of Science Fiction and Fantasy (1953–1980)', 'Fantastic Universe (1955)', 'Infinity Science Fiction (1955–1957)', 'Science Fiction Storyes (1956)', 'Science Fiction Adventures (1957)', 'Amazing Stories (1960–61)', 'Impulse (1966)', 'Analog (1967–68)', 'Penthouse (1972)', 'Sukkot—Feast of Booths (or Tabernacles)', 'Shemini Atzeret and Simchat Torah', 'Hanukkah—Festival of Lights', 'Tenth of Tevet', 'Tu Bishvat—New Year of the Trees', 'Purim—Festival of Lots', 'Purim Katan', "Ta'anit Esther–Fast of Esther", 'Purim and Shushan Purim', 'Pesach—Passover', 'Life', 'Early years (1833–1850)', 'Early career (1850–1862)', 'Maturity (1862–1876)', 'Years of fame (1876–1890)', 'Last years (1890–1897)', 'Music', 'Style and influences', 'Pre-war tensions and Magna Carta', 'War with the barons', 'Death', 'Legacy', 'Historiography', 'Popular representations', 'Family tree', 'Notes', 'References', 'Bibliography']]



['Wikipedia: Ed Sullivan', 'Wikipedia: Engelbert Dollfuss', 'Wikipedia: Emperor Chūai', 'Wikipedia: Economy of the Faroe Islands', 'Wikipedia: FAO (disambiguation)', 'Wikipedia: Fruitarianism', 'Wikipedia: Glossary of French expressions in English', 'Wikipedia: Politics of Guyana', 'Wikipedia: Genetic programming', 'Wikipedia: Holland', 'Wikipedia: Honolulu', 'Wikipedia: Hafizullah Amin', 'Wikipedia: List of infectious diseases', 'Wikipedia: Idiot', 'Wikipedia: Jule Styne']
[['Western Asia', 'Africa', 'North Africa, Western Asia', 'South Africa', 'Uganda', 'Oceania', 'Alternatives', 'Subtitles', 'Dubbing and subtitling', 'General use', 'In popular culture', 'Dacoit films', 'Other media', 'See also', 'References', 'Further reading'], ['Music', 'Cuisine', 'Literature', 'Art', 'Sport', 'Migration trends', 'See also', 'References'], ['Life', 'Death', 'Works', 'Purifications', 'On Nature', 'Philosophy', 'The four elements', 'Love and Strife', 'The sphere of Empedocles', 'Cosmogony', 'Early life and education', 'Career', 'Cotton gin', 'Interchangeable parts', 'Milling machine', 'Later life and legacy', 'See also', 'References', 'Further reading', 'References', 'Early life and career', 'Radio'], ['Early life', 'Chancellor of Austria', 'References', 'Further reading', 'Legendary narrative', 'Further reading', 'See also', 'References'], ['Techniques', 'Offensive', 'Defensive', 'Universities and schools', 'Other variants', 'See also', 'Notes', 'References'], ['References', 'Further reading'], ['Aftermath of coup', 'Historical memory and popular culture', 'See also', 'References', 'Further reading'], [], ['Used in English and French', 'A', 'Alkaline fuel cell (AFC)', 'High-temperature fuel cells', 'Solid oxide fuel cell', 'Molten-carbonate fuel cell (MCFC)', 'Electric storage fuel cell', 'Comparison of fuel cell types', 'Efficiency of leading fuel cell types', 'Theoretical maximum efficiency', 'In practice', 'Applications', 'Alternatives to general relativity', 'Definition and basic applications', 'Definition and basic properties', 'Model-building', "Consequences of Einstein's theory", 'Gravitational time dilation and frequency shift', 'Light deflection and gravitational time delay', 'Gravitational waves', 'Orbital effects and the relativity of direction', 'Precession of apsides', 'Executive branch', 'Cabinet', 'Legislative branch', 'Female (trampoline)', 'Male (trampoline)', 'See also', 'Notes', 'References'], ['Heidelberg and Berlin (1816–1831)', 'Philosophical work', 'Logic & Metaphysics', 'Things-in-themselves', 'Freedom', 'Progress', 'Civil society', 'State', 'Heraclitus', 'Religion', 'Chinese religions', 'Confucianism', 'Taoism', 'Mohism', 'Iranian religions', 'Zoroastrianism', 'New religious movements', 'Wicca', 'Scientology', 'Traditional African religions', 'Examples of commands', 'An example session', 'See also', 'References'], ['Documentation', 'Tutorials', 'Etymology and terminology', 'History', 'County of Holland', 'Dutch Republic', 'Under French rule', 'Prehistory', 'Stone Age', 'Later Prehistory', 'Genetic history of the English', 'Roman Britain', 'The Anglo-Saxon migration', 'Heptarchy and Christianisation', 'Viking challenge and the rise of Wessex', 'English unification', 'Engines', 'Robots', 'Aircraft', 'Mountain bikes', 'Former products', 'Solar cells', 'Motorsports', 'Electric and alternative fuel vehicles', 'Compressed natural gas', 'Flexible-fuel', 'Recreational drugs', 'Pharmaceutical drugs and niacin', 'See also', 'References'], ['Affirmation of traditional teaching', 'Doctrinal basis', 'Appeal to natural law and conclusion', 'History', 'Origins', 'The commission of John XXIII', 'Drafting of the Encyclical', 'Highlights', "Faithfulness to God's design", 'Lawful therapeutic means', 'Film adaptation', 'Bibliography', 'Further reading', 'References'], ['History', 'Physical properties', 'Natural abundance', 'Terrestrial abundance', 'Solar nebula (primordial) abundance', 'Human production', 'Tritium decay', 'References', 'See also', 'References', 'Medium', 'Writing style', 'History', '1960s and 70s', 'Natural language processing', 'Adventure', 'Commercial era', '1980s', 'Short description is different from Wikidata', 'Etymology', 'Disability and early classification and nomenclature', 'Development', 'Barriers', 'Interdisciplinary studies and studies of interdisciplinarity', 'Politics of interdisciplinary studies', 'Historical examples', 'Efforts to simplify and defend the concept', 'Quotations', 'See also', 'Biography', 'Writings', 'Scripture', 'Apostolic authority', "Irenaeus' theology and contrast with Gnosticism", 'The Unity of Salvation History', "Christ's Life", "Irenaeus' use of Paul's Epistles", 'Context of the reform', 'Adoption of the Julian calendar', 'Julian reform', 'Realignment of the year', 'Months', 'Intercalation', "Sacrobosco's theory on month lengths", 'Year length; leap years', 'Leap year error', 'Month names', 'Biography', 'Ancestry', 'Childhood', 'Youth', 'Courtship and marriage', 'First World War', 'France', 'Battle of the Somme', 'Fantasy Book (1986)', 'Anthologized short fiction (1952–2008)', 'Novels (1952–1990)', 'Cities in Flight series (1955–1962)', 'After Such Knowledge series (1958–1990)', 'Collections (1957–2009)', 'Anthologies (1959–1970)', 'Nonfiction (1964–1987)', 'Omnibuses (1970–2013)', 'References', 'Month of Nisan', 'Eve of Passover and Fast of the Firstborn', 'Passover', 'Pesach Sheni', 'Sefirah—Counting of the Omer', "Lag Ba'Omer", 'Shavuot—Feast of Weeks—Yom HaBikurim', "Mourning for Jerusalem: Seventeenth of Tammuz and Tisha B'Av", 'Fast of the Seventeenth of Tammuz', 'The Three Weeks and the Nine Days', 'Works', 'Influence', 'Beliefs', 'References', 'Citations', 'Sources', 'Further reading', 'Obituaries'], ['Early life', 'Career', 'Awards']]



['Wikipedia: Delaunay triangulation', 'Wikipedia: Ericaceae', 'Wikipedia: Electromagnetic field', 'Wikipedia: Élisabeth Vigée Le Brun', 'Wikipedia: E. T. A. Hoffmann', 'Wikipedia: Telecommunications in the Faroe Islands', 'Wikipedia: Felix Bloch', 'Wikipedia: Foreign relations of Afghanistan', 'Wikipedia: Transport in Guyana', 'Wikipedia: Gustav Klimt', 'Wikipedia: Gatling gun', 'Wikipedia: History of the Netherlands', 'Wikipedia: Handball', 'Wikipedia: Hamiltonian (quantum mechanics)', 'Wikipedia: Ice hockey', 'Wikipedia: Islamism', 'Wikipedia: Involuntary commitment', 'Wikipedia: John Quincy Adams', 'Wikipedia: John Engler', 'Wikipedia: Julia Roberts']
[['Relationship with the Voronoi diagram', 'd-dimensional Delaunay', 'Properties', 'Visual Delaunay definition: Flipping', 'Algorithms', 'Flip algorithms', 'Demographics', '2010', '2000', 'Economy', 'Top employers', 'Davis Dollars', 'Sights and culture', 'Whole Earth Festival', 'Celebrate Davis', 'Picnic Day', 'Reorganization of Court (2008)', 'National Court of Justice', 'Judiciary Council', 'Constitutional Court of Ecuador', 'Executive branch', 'Structure', 'Presidency', 'Controversy surrounding Lucio Gutiérrez', 'Presidency of Rafael Correa', 'Current officeholders', 'Description', 'Taxonomy', 'Genera', 'Structure', 'Continuous structure', 'Discrete structure', 'Biography', 'Early life', 'Marie Antoinette', 'Life', 'Youth', 'The provinces', 'Legendary narrative', 'Known information', 'Family', 'Spouse & concubines', 'Issue', 'See also', 'Notes', 'References', 'References'], ['Life and work', 'Biography', 'Clinic of La Borde', '1960s to 1970s', '1980s to 1990s', 'Works', 'Works translated into English', 'Untranslated works', 'See also', 'References', 'See also', 'References'], ['M', 'N', 'O', 'P', 'Q', 'S', 'T', 'V', 'Z', 'Not used as such in French', 'Submarines', 'Portable power systems', 'Other applications', 'Fueling stations', 'Markets and economics', 'Research and development', 'See also', 'References', 'Further reading'], ['Causal structure and global geometry', 'Horizons', 'Singularities', 'Evolution equations', 'Global and quasi-local quantities', 'Relationship with quantum theory', 'Quantum field theory in curved spacetime', 'Quantum gravity', 'Current status', 'See also', 'City transportation', 'Long distance transportation', "Roadshttps://www.kaieteurnewsonline.com/2015/03/21/in-pursuit-of-roads-in-guyana/ Place names along Guyana's roadshttp://www.visualgeography.com/categories/guyana/streets.html", 'Bridges', 'Applications', 'Meta-genetic programming', 'See also', 'References'], ['Published posthumously', 'See also', 'References', 'Notes', 'Citations', 'Sources'], ['Audio', 'Video', 'Societies', 'Differences in values or interests', 'Differences in situations', 'Responses to criticisms', 'Popular references', 'See also', 'References'], ['Reception', 'See also', 'References'], ['Prehistory (before 800 BC)', 'Historical changes to the landscape', 'Earliest groups of hunter-gatherers (before 5000 BC)', 'The arrival of farming (around 5000–4000 BC)', 'Henry VIII', 'Edward VI and Mary I', 'Elizabeth I', 'Elizabethan era', 'Foreign affairs', 'End of Tudor era', '17th century', 'Union of the Crowns', 'Colonies', 'English Civil War', 'See also', 'Notes', 'References'], ['Performing arts', 'Visual arts', 'Tourist attractions', 'Sports', 'Venues', 'Government', 'Foreign missions on the island', 'Education and research', 'Colleges and universities', 'Research institutions', 'Latin America', 'Cardinal Martini', 'Response of Pope Paul VI', 'Legacy', 'Pope John Paul I', 'Pope John Paul II', 'Pope Benedict XVI', 'Pope Francis', 'References', 'Further reading', 'Domestic policies', 'Foreign policy', 'Afghan–Soviet relations', "Attempted poisoning by Amin's chef", 'Death', 'Post-death', 'References', 'Bibliography'], ['Bibliography'], ['Introduction', 'Top customers', 'Market share', 'Market share in early 2011', 'Current status', 'Historical market share', 'Major competitors', 'Corporate history', 'Origins', 'Early history', 'Slowing demand and challenges to dominance in 2000', 'See also', 'Notes', 'Further reading'], ['Terminology', 'Overview', 'Definitions', 'Varieties', 'Relation to Islam', 'Influence', 'Algorithm', 'Best, worst, and average cases', 'Relation to other sorting algorithms', 'Variants', 'List insertion sort code in C', 'References', 'Further reading'], ['See also', 'Notes', 'References', 'Sources', 'Further reading'], ['Explanatory notes', 'Citation notes', 'Bibliography'], ['Anti-communism', 'Opposition to globalization and technocracy', 'Opposition to Nazism', 'Total war', 'Democracy', 'Race', 'Nature', 'Writing', 'Influences', 'British adventure stories', 'American Revolution', 'Father of the Constitution', 'Calling a convention', 'Philadelphia Convention', 'The Federalist Papers and ratification debates', 'Congressman and party leader (1789–1801)', 'Election to Congress', 'Bill of Rights', 'Founding the Democratic-Republican Party', 'Adams presidency', 'Ethnic holidays', 'See also', 'Notes', 'References', 'Further reading'], ['Late life and death', 'Thought', 'Career as public intellectual', 'Literature', 'Criticism', 'Works', 'See also', 'References', 'Sources', 'Further reading', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata']]



['Wikipedia: Electrical network', 'Wikipedia: Emperor Nintoku', 'Wikipedia: Transport in the Faroe Islands', 'Wikipedia: Fugue', 'Wikipedia: Filioque', 'Wikipedia: Financial rand', 'Wikipedia: Finlandization', 'Wikipedia: Grid network', 'Wikipedia: Governor of New York', 'Wikipedia: History of Wikipedia', 'Wikipedia: Hubris', 'Wikipedia: Ig Nobel Prize', 'Wikipedia: John Paul Jones']
[['Incremental', 'Divide and conquer', 'Sweephull', 'Applications', 'See also', 'References'], ['Davis Transmedia Art Walk', 'Manetti Shrem Museum of Art', 'Mondavi Center', 'UC Davis Arboretum', 'The Domes', 'Farmers Market', 'Media', 'Toad Tunnel', 'Davis Food Coop', 'Davis Pride Run/Walk for Equality and Community Festival', 'Legislative branch', 'History', 'Political parties and elections', 'Administrative divisions', 'Legal system', 'Female representation in the Assembly', 'International organization participation', 'See also', 'References'], ['Distribution and ecology', 'References', 'Bibliography'], ['Dynamics', 'Feedback loop', 'Mathematical description', 'Properties of the field', 'Reciprocal behavior of electric and magnetic fields', 'Behavior of the fields in the absence of charges or currents', 'Relation to and comparison with other physical fields', 'Electromagnetic and gravitational fields', 'Applications', 'Static E and M fields and static EM fields', 'Académie royale de peinture et de sculpture', 'Exile', 'Italy', 'Austria', 'Russia', 'Return to France and later life', 'Exhibitions', 'Portrayal in popular culture', 'Gallery', 'See also', 'Warsaw', 'Berlin and Bamberg', 'Dresden and Leipzig', 'Berlin', 'Works', 'Literary', 'Musical', 'Vocal music', 'Works for stage', 'Instrumental', 'References', 'Further reading', 'Legendary narrative', 'History', 'Before 1900', '1900 to the end of World War II', 'The end of World War II to the 1970s', '1970s onwards', 'Future', 'See also', 'Footnotes', 'References', 'Further reading'], [], ['Nicene Creed', 'Controversy', 'Overview', 'Bilateral relations', 'Africa', 'Americas', 'Asia', 'Europe', 'Oceania', 'United Nations', 'See also', 'References', 'See also', 'References', 'Further reading'], ['Origin and international usage', 'Finnish perception', 'Historical background', 'Notes', 'References', 'Further reading', 'Popular books', 'Beginning undergraduate textbooks', 'Advanced undergraduate textbooks', 'Graduate textbooks', "Specialists' books", 'Journal articles'], ['Rail transport', 'Fluvial transport', 'Ferries', 'Air transportation', 'Challenges and future development', 'Statistics', 'Railways', 'Highways', 'Waterways', 'Seaports and harbors', 'Life and work', 'Early life', 'Vienna secession years', 'Golden phase and critical success', 'Later life and posthumous success', 'Folios', 'Gustav Klimt: Das Werk', 'Fünfundzwanzig Handzeichnungen', 'Hegel texts online', 'See also', 'References', 'Powers and duties', 'Qualifications', 'History', 'Line of succession', 'See also', 'References', 'History', 'American Civil War and the Americas', 'In Africa and Asia', 'Spanish–American War', 'Philippine-American War', 'Basic design', 'Development of modern Gatling-type guns', 'See also', 'References', 'Funnelbeaker and other cultures (around 4000–3000 BC)', 'Corded Ware and Bell Beaker cultures (around 3000–2000 BC)', 'Bronze Age (around 2000–800 BC)', 'The pre-Roman period (800 BC – 58 BC)', 'Iron Age', 'Arrival of Germanic groups', 'Celts in the south', 'The Nordwestblock theory', 'Roman era (57 BC – 410 AD)', 'Native tribes', 'Restoration of the monarchy', 'Glorious Revolution', 'Formation of the United Kingdom', 'Modern England, 18th–19th centuries', 'Industrial Revolution', 'Local governance', '20th and 21st centuries', 'General history and political issues', 'Political history and local government', 'Recent changes', 'Origins and development', 'Rules', 'Summary', 'Playing court', 'Goals', 'D-Zone', 'Substitution area', 'Duration', 'Referees', 'Public primary and secondary schools', 'Private primary and secondary schools', 'Public libraries', 'Weekend educational programs', 'Media', 'Transportation', 'Air', 'Highways', 'Public transport', 'Honolulu Authority for Rapid Transportation'], ['Historical overview', 'Background', 'Ancient Greek origin', 'Common use', 'Legal usage', 'Modern usage', 'The Schrödinger Hamiltonian', 'One particle', 'Many particles', 'Schrödinger equation', 'Dirac formalism', 'Expressions for the Hamiltonian', 'General forms for one particle', 'Free particle', 'Constant-potential well', 'Simple harmonic oscillator', 'Litigation', 'Regaining of momentum (2005–2007)', 'Sale of XScale processor business (2006)', 'Acquisitions and investments (2010–present)', 'Acquisition table (2009–present)', 'Expansions (2008–2011)', 'Opening up the foundries to other manufacturers (2013)', 'Product and market history', 'SRAMS and the microprocessor', 'From DRAM to microprocessors', 'History', 'Name', 'Precursors', 'Initial development', 'Professional era', 'Game', 'Periods and overtime', 'Penalties', 'Officials', 'Types', 'Moderate Islamism', 'Post-Islamism', 'Salafi movement', 'Wahhabism', 'Militant Islamism/Jihadism', 'Qutbism', 'Salafi Jihadism', 'History', 'Predecessor movements', 'History', 'Ceremony', 'Outreach', 'Reception', 'See also', 'Purpose', 'First aid', 'Observation', 'Containment of danger', 'Deinstitutionalization', 'Around the world', 'United Nations', 'Early life, education, and early career', 'Early political career (1793–1817)', 'Early diplomatic career and marriage', 'U.S. Senator from Massachusetts', 'Minister to Russia', 'Treaty of Ghent and ambassador to Britain', 'Secretary of State (1817–1825)', 'Adams–Onís Treaty', 'Monroe Doctrine', 'European mythology', 'Catholicism', 'Publications', '"Beowulf: The Monsters and the Critics"', '"On Fairy-Stories"', "Children's books and other short works", 'The Hobbit', 'The Lord of the Rings', 'Posthumous publications', 'The Silmarillion', 'Marriage and family', 'Secretary of State (1801–1809)', 'Presidential election of 1808', 'Presidency (1809–1817)', 'Taking office and cabinet', 'War of 1812', 'Prelude to war', 'Military action', 'Postwar period', 'Native American policy', 'Early life and education', 'Career', 'Governorship', '1996 Presidential election', '2000 Presidential election', '2002 elections', 'Election results'], ['By Sartre', 'On Sartre', 'Early life and family', 'Acting career', '1980s', '1990s', '2000s', '2010s', 'Film production']]



['Wikipedia: Defendant', 'Wikipedia: Economy of Ecuador', 'Wikipedia: Epistle to the Galatians', 'Wikipedia: Erasmus', 'Wikipedia: Emperor Richū', 'Wikipedia: Floccinaucinihilipilification', 'Wikipedia: List of FIPS country codes', 'Wikipedia: Genealogy', 'Wikipedia: Foreign relations of Guyana', 'Wikipedia: Governor-General of Australia', 'Wikipedia: Glasnevin', 'Wikipedia: East Germany', 'Wikipedia: Isaac Albéniz', 'Wikipedia: Intermolecular force']
[['Criminal defendants', 'Civil defendants', 'England and Wales', 'See also', 'References', 'Education', 'University of California', 'D-Q University', 'Other colleges', 'Public schools', 'Private schools', 'Private post-secondary schools', 'Notable people', 'Sister cities', 'See also', 'Industries', 'Trade', 'Economic history', 'Classification', 'By passivity', 'By linearity', 'By lumpiness', 'Classification of sources', 'Independent', 'Dependent', 'Electrical laws', 'Design methods', 'Time-varying EM fields in Maxwell’s equations', 'Other', 'Health and safety', 'See also', 'References', 'Further reading'], ['References'], ['Background', 'Assessment', 'Science fiction', 'In popular culture', 'See also', 'References'], ["Events of Nintoku's life", 'Consorts and children', "Nintoku's tomb", 'See also', 'References'], ['Railways', 'Roads', 'Highways', 'Bus services', 'Sea', 'Ports and harbours', 'Merchant marine', 'Ferries', 'Air', 'Airports', 'Etymology', 'Musical outline', 'Episode', 'Development', 'Example and analysis', 'False entries', 'Counter-exposition', 'Stretto', 'History', 'New Testament', 'Church fathers', 'Cappadocian Fathers', 'Alexandrian Fathers', 'Latin Fathers', 'Modern Roman Catholic theologians', 'Nicene and Niceno-Constantinopolitan Creeds', 'Third Ecumenical Council', 'Fourth Ecumenical Council', 'Further reading'], ['Long words', 'References', 'Further reading', 'Paasikivi doctrine', 'Self-censorship and excessive Soviet adaptation', 'Censorship', 'Criticism', 'See also', 'Notes'], [' and references', 'Overview', 'Motivation', 'Personal or medical interest', 'Merchant marine', 'Airports', 'See also', 'Notes', 'References'], ['Gustav Klimt An Aftermath', 'Paintings', 'Drawings', 'Selected works', 'Legacy', 'Visual art', 'Cultural influence', 'Commemoration of 150th anniversary of birth', 'Gustav Klimt Foundation', 'Ownership battle', 'Method of appointment', 'History', 'Styles and titles of Governors-General'], ['Geography', 'History'], ['Naming conventions', 'History', 'Roman settlements in the Netherlands', 'Batavian revolt', 'Emergence of the Franks', 'Disappearance of the Frisii?', 'Early Middle Ages (411–1000)', 'Frisians', 'Franks', 'Modern doubts about the traditional Frisian, Frank and Saxon distinction', 'The emergence of the Dutch language', 'Christianization', 'See also', 'Related historical overviews', 'Historical lists and timelines', 'Overviews of significant historical eras', 'Related English history topics', 'Societal overviews', 'Local government', 'Historical subtopics', 'References', 'Further reading', 'Team players, substitutes, and officials', 'Field players', 'Goalkeeper', 'Team officials', 'Ball', 'Awarded throws', 'Penalties', 'Gameplay', 'Formations', 'Offense', 'Bus', 'Rail', 'Bicycle sharing', 'Modal characteristics', 'Notable people', 'Sister cities', 'See also', 'Notes', 'References', 'Bibliography', 'Formulation of the concept', 'Founding of Wikipedia', 'Divisions and internationalization', 'Development of Wikipedia', 'Organization', 'Evolution of logo', 'Timeline', 'First decade: 2000–2009', '2000', '2001', 'Pride', 'Arrogance', 'Religious usage', 'Ancient Greece', 'Christianity', 'See also', 'References', 'Further reading'], ['Rigid rotor', 'Electrostatic or coulomb potential', 'Electric dipole in an electric field', 'Magnetic dipole in a magnetic field', 'Charged particle in an electromagnetic field', 'Energy eigenket degeneracy, symmetry, and conservation laws', "Hamilton's equations", 'See also', 'References', 'Intel, x86 processors, and the IBM PC', '386 microprocessor', '486, Pentium, and Itanium', 'Pentium flaw', '"Intel Inside" and other campaigns', '2018–2020 security flaws', 'Remote Keyboard Android App', 'Solid-state drives (SSD)', 'Supercomputers', 'Mobile Linux software', 'Equipment', 'Injury', 'Tactics', 'Checking', 'Offensive tactics', 'Fights', "Women's ice hockey", "Women's hockey leagues", 'CWHL', 'NWHL', 'Early history', 'Muhammad Iqbal', 'Sayyid Abul Ala Maududi', 'Muslim Brotherhood', 'Sayyid Qutb', 'Ascendance on international politics', 'Six-Day War (1967)', 'Iranian Revolution (1978–1979)', 'Grand Mosque seizure (1979)', 'Soviet invasion of Afghanistan (1979–1989)', 'References'], ['Life', 'Wrongful involuntary commitment', 'See also', 'Notes', 'References', 'Further reading'], ['1824 presidential election', 'Presidency (1825–1829)', 'Inauguration', 'Administration', 'Domestic affairs', 'Ambitious agenda', 'Formation of political parties', 'Tariff of 1828', 'Indian policy', 'Foreign affairs', 'Unfinished Tales and The History of Middle-earth', 'The Children of Húrin', 'The Legend of Sigurd and Gudrún', 'The Fall of Arthur', 'Beowulf: A Translation and Commentary', 'The Story of Kullervo', 'Beren and Lúthien', 'The Fall of Gondolin', 'Manuscript locations', 'Languages and philology', 'General Wilkinson misconduct', 'Election of 1816', 'Retirement, national leader, and elder statesman', 'Political and religious views', 'Federalism', 'Religion', 'Slavery', 'Physical characteristics and health', 'Legacy', 'Historical reputation', 'Electoral history', 'After governorship', 'Interim Presidency of Michigan State University, Scandal, and Required Resignation', 'Personal life', 'References', 'Further reading'], ['Early life and training', 'Naval career', 'The American colonies', 'Revolutionary War command', 'Early Command', 'Command of Ranger', 'Ranger attacks the British', 'Return to Ireland', 'Bonhomme Richard', 'Russian service', 'Personal life', 'Relationships and marriages', 'Religious beliefs', 'Philanthropy', 'Awards and nominations', 'Filmography', 'References', 'Further reading'], []]



['Wikipedia: Domitius Afer', 'Wikipedia: Damon Runyon', 'Wikipedia: Telecommunications in Ecuador', 'Wikipedia: Empire State Building', 'Wikipedia: Fiji', 'Wikipedia: Felony', 'Wikipedia: Fred Singer', 'Wikipedia: Groucho Marx', 'Wikipedia: Hippocrates', 'Wikipedia: Percolozoa', 'Wikipedia: Heavy water', 'Wikipedia: Hi-hat', 'Wikipedia: Jacques Lacan', 'Wikipedia: John Sealy Hospital']
[['Life', 'References', 'Further reading', 'References'], ['Life and work', 'Poverty and inequality', 'Infrastructure development', 'See also', 'References'], ['Network simulation software', 'Linearization around operating point', 'Piecewise-linear approximation', 'See also', 'Representation', 'Design and analysis methodologies', 'Measurement', 'Analogies', 'Specific topologies', 'References', 'Location', 'History', 'Site', 'Planning process', 'Early plans', 'Design changes', 'Authorship and date', 'Author', 'Date', 'Audience', 'North Galatian view', 'South Galatian view', 'Earliest epistle', "Paul's opponents", 'Outline', 'Introduction: The Cross and the New Age (1:1–10)', 'Early life', 'Ordination and monastic experience', 'Education and scholarship', "Spain's polyglot Bible and Erasmus' Greek New Testament", 'The first translation', 'The Translation of Erasmus', 'Contribution', 'Legendary narrative', 'Consorts and children', 'See also', 'Notes', 'References'], ['See also', 'References'], ['Final entries and coda', 'Types', 'Simple fugue', 'Double (triple, quadruple) fugue', 'Counter-fugue', 'Permutation fugue', 'Fughetta', 'History', 'Middle Ages and Renaissance', 'Baroque era', 'Possible earliest use in the Creed', 'Procession of the Holy Spirit', '"From the Father through the Son"', 'First Eastern opposition', 'Claims of authenticity', 'Photian controversy', 'Adoption in the Roman Rite', 'East–West controversy', 'Councils of Jerusalem, 1583 and 1672 AD', 'Reformation', 'Monitored short pages', 'Protected soft redirects', 'Redirects to Wiktionary', 'Wikidata redirects', 'Wikipedia indefinitely semi-protected pages', 'A', 'B', 'C', 'D', 'E', 'F', 'G', 'H', 'I', 'J', 'Early life and education', 'Career', '1950: United States Navy', '1951: Design of early satellites', '1953: University of Maryland', '1960: Artificial Phobos hypothesis', 'Community or religious obligation', 'Establishing identity', 'Legal and forensic research', 'Scholarly research', 'History', 'Modern times', 'India', 'United States', 'Research process', 'Genetic analysis', 'Disputes – international', 'Illicit drugs', 'Relations by country', 'Africa', 'Americas', 'Asia', 'Europe', 'See also', 'References', 'Bibliography', 'Further reading'], ['Backgrounds of Governors-General', 'Tenure', 'Constitutional role and functions', 'Role in the Australian Parliament', 'Role in executive government', 'Military role', 'Reserve powers', 'Biosecurity emergencies', 'Ceremonial role', 'Diplomatic role', 'Foundation', 'Middle Ages', 'Late Middle Ages', 'Early modern times', '19th and 20th centuries', 'Village of Glasnevin', 'National Botanic Gardens', 'Glasnevin (Prospect) Cemetery', "Hart's Corner", 'Delville', 'Origins', '1949 establishment', 'Zones of occupation', 'Partition', 'GDR identity', 'Die Wende (German reunification)', 'Politics', 'Organization', 'Population', 'Vital statistics', 'Frankish dominance and incorporation into the Holy Roman Empire', 'Viking raids', 'High and Late Middle Ages (1000–1432)', 'Part of the Holy Roman Empire', 'Political disunity', 'The Frisians', 'The rise of Holland', 'Expansion and growth', 'Hook and Cod Wars', 'Burgundian and Habsburg period (1433–1567)', 'Historiography', 'Primary sources', 'External sources', 'Defense', 'Offensive play', 'Defensive play', 'Organization', 'International body', 'International competitions', 'National competitions', 'Europe', 'Other', 'Attendance records'], ['Characteristics', 'Terminology and classification', '2002', '2003', '2004', '2005', '2006', '2007', '2008', '2009', 'Second decade: 2010–2019', '2010', 'Explanation', 'Other heavy forms of water', 'Semiheavy water', 'Heavy-oxygen water', 'History', 'Modern stands', 'Clutch', 'Drop clutch', 'Competition, antitrust and espionage', 'Use of Intel products by Apple Computer (2005–present)', 'Core 2 Duo advertisement controversy (2007)', 'Introduction of Classmate PC (2011)', 'Introduction of new mobile processor technology (2011)', 'Update to server chips (2011)', 'Introduction of Ivy Bridge 22 nm processors (2011)', 'Development of Personal Office Energy Monitor (POEM) (2011)', 'IT Manager series', 'Car Security System (2011)', 'Leagues and championships', 'Club competition', 'North America', 'Eurasia', 'Europe', 'Other regions', 'National team competitions', 'Attendance records', 'Number of registered players by country', 'Variants', 'Persian Gulf War (1990–1991)', 'Rise of Islamism by country', 'Afghanistan (Taliban)', 'Algeria', 'Bangladesh', 'Belgium', 'Denmark', 'Egypt (Jihadism)', 'France', 'Gaza (Hamas)', 'Music', 'Early works', 'Middle period', 'Later period', 'Impact', 'In film', 'References and sources', 'Further reading'], ['Hydrogen bonding', 'Ionic bonding', 'Dipole–dipole and similar interactions', 'Regular dipole', 'Ion–dipole and ion–induced dipole forces', 'Van der Waals forces', 'Keesom (permanent–permanent dipoles) interaction', 'Trade and claims', 'Latin America', '1828 presidential election', 'Later congressional career (1830–1848)', 'Jackson administration, 1830–1836', 'Van Buren and Tyler administrations, 1837–1843', 'Opposition to the Mexican-American War, 1844–1848', 'Anti-slavery movement', 'Smithsonian Institution', 'Death', 'Linguistic career', 'Language construction', 'Artwork', 'Legacy', 'Adaptations', 'Film adaptations', 'Television', 'Memorials', 'Commemorative plaques', 'Autographs', 'Memorials', 'See also', 'Notes', 'References', 'Works cited', 'Further reading', 'Biographies', 'Analytic studies', 'Historiography', 'Primary sources', 'Biography', 'Early life', '1930s', '1940s', '1950s', '1960s', 'Later life', 'Death', 'Exhumation and reburial', 'Pardon by the town and port of Whitehaven in 1999', 'In popular culture', 'See also', 'References', 'Bibliography', 'Further reading'], ['History', 'Hurricane Ike', 'See also', 'References']]



['Wikipedia: Dan Simmons', 'Wikipedia: Euler (disambiguation)', 'Wikipedia: Emperor Hanzei', 'Wikipedia: Geology', "Wikipedia: Hilbert's basis theorem", 'Wikipedia: History of India', 'Wikipedia: HAL 9000', 'Wikipedia: ITU-R', 'Wikipedia: January 24', 'Wikipedia: Boulting brothers', 'Wikipedia: John the Evangelist']
[['Biography', 'Horror fiction', 'Historical fiction', 'Literary references', 'Legacy', 'Literary style - the “Broadway” stories', 'Literary works', 'Books', 'Poems', 'Story collections', 'Collected newspaper columns', 'Compilations containing previously collected material', 'Play', 'Biography', 'Telephones', 'Radio and television', 'Radio', 'Television', 'Internet', 'Internet censorship and surveillance', 'See also', 'References', 'Science and technology', 'Other uses', 'See also', 'Construction', 'Hotel demolition', 'Steel structure', 'Completion and scale', 'Opening and early years', 'Tenants and tourism', 'Other events', 'Profitability', 'Loss of "tallest building" title', '1980s and 1990s', 'The Truth of the Gospel (1:11–2:21)', 'The Defense of the Gospel (3:1–5:12)', 'The Life of the Gospel (5:13–6:10)', 'Closing: Cross and New Creation (6:11–18)', 'Contents', 'Major issues', 'Paul and the law', 'Under law & works of law', 'Law of Christ', 'Antioch incident', 'Publication and editions', 'Beginnings of Protestantism', 'Attempts at impartiality in dispute', 'Disagreement with Luther', 'Free will', 'Religious toleration', 'Sacraments', 'Death', 'Writings', 'Sileni Alcibiadis (1515)', 'Legendary narrative', 'Consorts and children', 'See also', 'Notes', 'History', 'Early settlement', 'Early interaction with Europeans', 'Cakobau and the wars against Christian infiltration', 'Cotton, confederacies and the Kai Colo', 'Kingdom of Fiji (1871–1874)', 'Blackbirding and slavery in Fiji', 'Colonisation', 'Measles epidemic of 1875', 'Sir Arthur Gordon and the "Little War"', 'Classical era', 'Haydn', 'Mozart', 'Beethoven', 'Romantic era', '20th century', 'Outside classical music', 'Discussion', 'Musical form or texture', 'Perceptions and aesthetics', 'Present position of various churches', 'Roman Catholicism', 'Anglicanism', 'Protestantism', 'Eastern Orthodoxy', 'Views of Eastern Orthodox saints', 'Eastern Orthodox view of Roman Catholic theology', 'Eastern Orthodox theology', 'Modern theology', 'Oriental Orthodox Churches', 'Overview', 'Classification by subject matter', 'Classification by seriousness', 'England and Wales', 'History', 'Procedure', 'Terminology', 'Ireland', 'K', 'L', 'M', 'N', 'O', 'P', 'Q', 'R', 'S', 'T', '1962: National Weather Center and University of Miami', '1967: Department of Interior and EPA', '1971–1994 University of Virginia', 'Consultancies', 'Public debates', 'Writing', 'Second-hand smoke', 'Global warming', 'SEPP and funding', 'Criticism of the IPCC', 'Collaboration', 'Volunteerism', 'Software', 'Records and documentation', 'List of record types', 'FamilySearch collections', 'Indexing ancestral Information', 'Record loss and preservation', 'Types of information', 'Family names', 'Oceania', 'See also', 'References and notes', 'Early life', 'Career', 'Vaudeville', 'Hollywood', 'Mustache, eyebrows, and walk', 'Personal life', 'Later years', 'You Bet Your Life', 'The office of Governor-General as an agency', 'Patronage', 'Spouse', 'List of Governors-General of Australia', 'Living former governors-general', 'Timeline of Governors-General', 'See also', 'References', 'Further reading'], ['The Pyramid Church', 'Met Éireann', 'Griffith Avenue', 'Amenities and sport', 'Representation', 'References', 'Further reading'], ['Major cities', 'Administrative districts', 'Military', "National People's Army", 'Border troops', 'Volkspolizei-Bereitschaft', 'Stasi', 'Combat groups of the working class', 'Conscientious objection', 'Foreign policy', 'Burgundian period', 'Habsburg rule from Spain', 'The Reformation', 'Prelude to war', "The Eighty Years' War (1568–1648)", 'Golden Age', 'Dutch Empire', 'The Dutch in the Americas', 'Slave trade', 'The Dutch in Asia: The Dutch East India Company', 'Biography', 'Hippocratic theory', 'Crisis', 'Professionalism', 'Direct contributions to medicine', 'Hippocratic Corpus', 'Hippocratic Oath', 'Legacy', 'Image', 'Legends', 'Commemorative coins', 'See also', 'References'], ['Phylogeny', 'Taxonomy', 'History', 'References'], ['2011', '2012', '2013', '2014', '2015', '2016', '2017', '2018', '2019', 'Third decade: 2020–present', 'Tritiated water', 'Physical properties', 'History', 'Effect on biological systems', 'Effect on animals', 'Toxicity in humans', 'Heavy water radiation contamination confusion', 'Production', 'Argentina', 'Soviet Union', 'Cable hats', 'X-hats', 'Non-cymbal Hi-Hats', 'Use', 'References', 'High-Bandwidth Digital Content Protection', 'Move from intel desktop to open mobile platforms (2013–2014)', 'Introduction of Haswell processors (2013)', 'Wearable fashion (2014)', 'Fog computing', 'Conflict-free production', 'Self-driving cars', 'Corporate affairs', 'Leadership and corporate structure', 'Board of directors', 'Pond hockey', 'Sledge hockey', 'In popular culture', 'See also', 'References', 'Notes', 'Works cited', 'Further reading'], ['Pakistan', 'Sudan', 'Switzerland', 'Turkey', 'Contemporary era', 'By country', 'Hizb ut-Tahrir', 'Post-Arab Spring (2011-present)', 'Islamic State of Iraq and the Levant', 'Background', 'History', 'See also', 'References'], ['Debye (permanent–induced dipoles) force', 'London dispersion force (fluctuating dipole–induced dipole interaction)', 'Relative strength of forces', 'Effect on the behavior of gases', 'Quantum mechanical theories', 'See also', 'References', 'Personal life', 'Personality', 'Legacy', 'Historical reputation', 'Memorials', 'Film and television', 'See also', 'Notes', 'References', 'Works cited', 'Canonization process', 'See also', 'Notes', 'References', 'General references', 'Citations', 'Further reading'], [], ['Events', 'Births', '1970s', 'Last years', 'Major concepts', 'Return to Freud', 'Mirror stage', 'Other/other', 'Phallus', 'Three orders (plus one)', 'The Imaginary', 'The Symbolic', 'Early life', 'Careers', 'Charter Film Productions'], ['Identity', 'Authorship of the Johannine works']]



['Wikipedia: Transport in Ecuador', 'Wikipedia: Empty set', 'Wikipedia: Emperor Ingyō', 'Wikipedia: Fugue state', 'Wikipedia: Ferdinand of Habsburg', 'Wikipedia: Frederik Pohl', 'Wikipedia: Glasnost', 'Wikipedia: George Abbot (author)', 'Wikipedia: IEEE 802.3', 'Wikipedia: Irish Civil War', 'Wikipedia: IRQ', 'Wikipedia: Jurassic', 'Wikipedia: July 11', 'Wikipedia: Journal of the Travellers Aid Society', 'Wikipedia: Jack Kirby']
[['Bibliography', 'Novels', 'Short stories', 'Poems', 'Non-fiction', 'Adaptations', 'Awards', 'Wins', 'Nominations', 'References', 'Stories', 'Uncollected stories', 'Film', 'Plays and musicals', 'Radio', 'Television', 'See also', 'References', 'Further reading'], ['Aviation', 'National airlines', 'Airports', 'Notation', 'Properties', 'Operations on the empty set', '21st century', '2000s', '2010s', 'Architecture', 'Exterior', 'Interior', 'Lobby', 'Features', 'Above the 102nd floor', 'Broadcast stations', 'Pistis tou Christou', 'Sexuality and gender', 'Meaning of "Israel of God"', 'Significance and reception', "Luther's theology and antisemitism", 'Gender, sexuality, and modern scholarship', 'See also', 'References', 'Bibliography'], ['Legacy', 'Representations', 'Works', 'See also', 'Notes', 'References', 'Further reading', 'Primary sources'], ['References', 'Legendary narrative', "Events of Ingyō's reign", 'Indian indenture system in Fiji', 'Tuka rebellions', 'World War I and II', 'Responsible government', 'Independence', "1987 coups d'état", "2000 coup d'état", "2006 coup d'état", '2009 transfer of power', 'Geography', 'References', 'Sources', 'Further reading'], ['Church of the East', 'Recent theological perspectives', 'Linguistic issues', 'Some Orthodox reconsideration of the Filioque', 'Inclusion in the Nicene Creed', 'Focus on Saint Maximus as a point of mutual agreement', 'Per Filium', 'Recent attempts at reconciliation', 'Old Catholic Church', 'Anglican Communion', 'United States', 'Restoration of Rights', 'Germany', 'See also', 'References', 'U', 'V', 'W', 'Y', 'Z', 'Resources', 'See also', 'References'], ['Climategate', 'Selected publications', 'See also', 'Notes', 'Further reading', 'Given names', 'Place names', 'Dates', 'Occupations', 'Reliability of sources', 'Knowledge of the informant', 'Motivation of the informant', 'The effect of time', 'Copying and compiling errors', 'Primary and secondary sources', 'Geologic materials', 'Rock', 'Tests', 'Unlithified material', 'Magma and lava', 'Whole-Earth structure', 'Plate tectonics', 'Earth structure', 'Geologic time', 'Timescale of the Earth', 'Other work', 'Death', 'Legacy', 'Filmography', 'Features', 'Short subjects', 'Bibliography', 'Books by Groucho Marx', 'Essays and reporting', 'References', 'Historical usage', 'In the USSR', 'The dissidents', 'Life', 'Legacy', 'Works', 'Mistaken identifications', 'Notes', 'United States as primary threat', 'Support of Third World socialist countries', 'East Germany and the Middle East conflict', 'Soviet military occupation', 'Economy', 'Consumption and jobs', 'Religion', 'State atheism', 'Protestantism', 'Catholicism', 'The Dutch in Africa', 'Dutch Republic: Regents and Stadholders (1649–1784)', 'Refugees', 'Economic growth', 'Amsterdam', 'First Stadtholderless Period and the Anglo-Dutch Wars (1650–1674)', 'Anglo-Dutch wars', 'Franco-Dutch War and Third Anglo-Dutch War (1672–1702)', 'Second Stadtholderless Period (1702–1747)', 'Economic decline after 1730', 'Genealogy', 'Namesakes', 'See also', 'Notes', 'References', 'Further reading'], ['Statement', 'Proof', 'First Proof', 'Second Proof', 'Applications', 'Formal Proof in Mizar', 'References', 'Prehistoric era (until c. 3300 BCE)', 'Paleolithic', 'Neolithic', 'Bronze Age – first urbanisation (c. 3300 – c. 1800 BCE)', 'Indus Valley Civilisation', 'Iron Age (1500 – 200 BCE)', 'Vedic period (c. 1500 – 600 BCE)', 'Vedic society', '2020', 'History by subject area', 'Hardware and software', 'Look and feel', 'Internal structures', 'The Wikimedia Foundation and legal structures', 'Projects and milestones', 'Fundraising', 'External impact', 'Effect of biographical articles', 'United States', 'India', 'Empire of Japan', 'Norway', 'Canada', 'Iran', 'Pakistan', 'Other countries', 'Applications', 'Nuclear magnetic resonance', 'Appearances', '2001: A Space Odyssey (film/novel)', '2010: Odyssey Two (novel) and 2010: The Year We Make Contact (film)', '2061: Odyssey Three and 3001: The Final Odyssey', 'Concept and creation', 'Origin of name', 'Influences', 'Cultural impact', 'Ownership', 'Employment', 'Diversity', 'Economic impact in Oregon in 2009', 'School funding in New Mexico in 1997', 'Ultrabook fund (2011)', 'Intel Inside', 'Sonic logo', 'Processor naming strategy', 'Typography', 'Communication standards', 'See also', 'References'], ['Charitable work', 'Dissatisfaction with the status quo', 'Identity politics', 'Islamic revival', 'State-sponsorship', 'Saudi Arabia', 'Qatar', 'Western patronage', 'Western alienation', 'Response', 'Background', 'The treaty and its consequences', 'Split in the Nationalist movement', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'Further reading', 'Secondary sources', 'Primary sources'], ['Events', 'Births', 'Deaths', 'Holidays and observances', 'References', 'Deaths', 'Holidays and observances', 'References'], ['The Real', 'The Sinthome', 'Desire', 'Drive', 'Other concepts', 'Lacan on error and knowledge', 'Clinical contributions', 'Writings and writing style', 'Legacy and criticism', 'Works', 'Feature films', 'Military service', 'Post-war films', 'Hollywood-financed films', 'Satires', 'Hayley Mills', 'Later career', 'Personal lives', 'Deaths', 'In popular culture', 'Feast day', 'In art', 'Gallery', 'See also', 'References'], []]



['Wikipedia: Denis Auguste Affre', 'Wikipedia: Don Tennant', 'Wikipedia: Epistle to the Philippians', 'Wikipedia: Encyclopedia Brown', 'Wikipedia: Emperor Ankō', 'Wikipedia: First aid', 'Wikipedia: Fair Isle', 'Wikipedia: Game Boy Advance', 'Wikipedia: Globular cluster', 'Wikipedia: Hermann Göring', 'Wikipedia: Heterocyclic compound', 'Wikipedia: Hydrolysis', 'Wikipedia: Integer (computer science)', 'Wikipedia: List of Internet top-level domains', 'Wikipedia: July 8', 'Wikipedia: Judicial Committee of the Privy Council', 'Wikipedia: Jupiter Ace', 'Wikipedia: John Frankenheimer']
[[], ['Life', 'Early life and career', 'References', 'Airports (paved)', 'Airports (unpaved)', 'Heliports', 'Highways', 'Bus transport', 'Pipelines', 'Ports and harbors', 'Pacific Ocean', 'Merchant marine', 'Railways', 'In other areas of mathematics', 'Extended real numbers', 'Topology', 'Category theory', 'Set theory', 'Questioned existence', 'Axiomatic set theory', 'Philosophical issues', 'See also', 'References', 'Observation decks', 'New York Skyride', 'Lights', 'Height records', 'Notable tenants', 'Incidents', '1945 plane crash', '2000 elevator plunge', 'Suicide attempts', 'Shootings', 'Composition', 'Place of writing', 'Contents', 'Style', 'Formula', 'Recurring characters', 'Comic strip', 'Consorts and children', 'See also', 'Notes', 'References', 'Climate', 'Government and politics', 'Armed forces and law enforcement', 'Administrative divisions', 'Economy', 'Tourism', 'Transport', 'Science and technology', 'Society', 'Demographics', 'Signs and symptoms', 'Diagnosis', 'Definition', 'Prognosis', 'Cases', 'See also', 'References'], ['World Council of Churches', 'Roman Catholic Church', 'Joint statement of Eastern Orthodox and Roman Catholic theologians', 'Summary', 'See also', 'Notes', 'References', 'Bibliography', 'Further reading', 'See also', 'Geography', 'History', 'Wartime military role', 'Economy', 'Early life and family', 'Career', 'Early career', 'Work as editor and agent', 'Later career', 'Collaborative work', 'Death', 'Works', 'Standards and Ethics', 'Research standards', 'Ethical guidelines', 'See also', 'References', 'Further reading'], ['Important milestones on Earth', 'Timescale of the Moon', 'Timescale of Mars', 'Dating methods', 'Relative dating', 'Absolute dating', 'Geological development of an area', 'Methods of geology', 'Field methods', 'Petrology', 'Further reading'], ['History', 'Gorbachev', 'Various meanings', 'International relations', 'In Russia since 1991', 'See also', 'Notes', 'References', 'References'], ['Observation history', 'Culture', 'Music', 'Theatre', 'Cinema', 'Sport', 'Television and radio', 'Sex', 'Industry', 'Telecommunications', 'Official and public holidays', 'Culture and society', 'The Orangist revolution (1747–1751)', 'Regency and indolent rule (1752–1779)', 'Fourth Anglo-Dutch War (1780–1784)', 'The French-Batavian period (1785–1815)', 'Patriot rebellion and its suppression (1785–1795)', 'Batavian Republic (1795–1806)', 'Kingdom of Holland to William I (1806–1815)', 'United Kingdom of the Netherlands (1815–1839)', 'Constitutional monarchy', 'Early life', 'World War I', 'After World War I', 'Early Nazi career', 'Reichstag fire', 'Second marriage', 'Classification', '3-membered rings', 'Three-membered rings with one heteroatom', 'Three-membered rings with two heteroatoms', '4-membered rings', 'Janapadas', 'Second urbanisation (800–200 BCE)', 'Buddhism and Jainism', 'Sanskrit epics', 'Mahajanapadas', 'Early Magadha dynasties', "Nanda Empire and Alexander's campaign", 'Maurya Empire', 'Sangam period', 'Classical and early medieval periods (c. 200 BCE – c. 1200 CE)', 'Early roles of Wales and Sanger', 'Controversies', 'Notable forks and derivatives', 'Publication on other media', 'Lawsuits', 'See also', 'References'], ['Wikipedia records and archives', 'Third party', 'Organic chemistry', 'Infrared spectroscopy', 'Neutron moderator', 'Neutrino detector', 'Metabolic rate testing in physiology and biology', 'Tritium production', 'See also', 'References'], ['See also', 'References'], ['Intel Brand Book', 'Open source support', 'Firmware Support Package', 'Declining PC sales', 'Litigation and regulatory attacks', 'Patent infringement litigation (2006–2007)', 'Antitrust allegations and litigation (2005–2009)', 'Allegations by Japan Fair Trade Commission (2005)', 'Allegations by the European Union (2007–2008)', 'Allegations by regulators in South Korea (2007)', 'Value and representation', 'Common integral data types', 'Bytes and octets', 'Criticism', 'Counter-response', 'Parties and organizations', 'See also', 'Notes', 'References', 'Further reading'], ['Delay until the June election', 'Course of the war', 'Dublin fighting', 'Assassination of Field Marshal Wilson', 'Collins orders the assault on the Four Courts', 'The opposing forces', 'The Free State takes major towns', 'Guerrilla war', 'Atrocities and executions', 'End of the war', 'Types', 'Original top-level domains', 'Infrastructure top-level domain', 'Country code top-level domains', 'Etymology', 'Divisions', 'Paleogeography and tectonics', 'Fauna', 'Aquatic and marine', 'Terrestrial', 'Flora', 'In popular culture', 'See also'], ['Events', 'Births', 'History', 'Name', 'Reception', 'References'], ['See also', 'Footnotes', 'References', 'Sources', 'Further reading'], ['Filmography', 'Films directed jointly', 'Films directed by John', 'Films directed by Roy', 'References'], ['Early life (1917–1935)', 'Entry into comics (1936–1940)', 'Partnership with Joe Simon', 'World War II (1943–1945)', 'Postwar career (1946–1955)', 'After Simon (1956–1957)', 'Marvel Comics in the Silver Age (1958–1970)']]



['Wikipedia: Dione', 'Wikipedia: Devo', 'Wikipedia: Armed Forces of Ecuador', 'Wikipedia: Egoism', 'Wikipedia: Force', 'Wikipedia: FIPS', 'Wikipedia: Forrest J Ackerman', 'Wikipedia: Gabon', 'Wikipedia: Geodesy', 'Wikipedia: Hydropower', 'Wikipedia: History of science and technology', 'Wikipedia: Instructional theory', 'Wikipedia: John Wyndham', 'Wikipedia: July 13']
[['Death', 'Writings', 'References', 'Sources', 'External link', 'History', '1973–1978: Formation', '1978–1980: Recording contract, Q: Are We Not Men? A: We Are Devo!, and Duty Now for the Future', '1980–1982: Mainstream breakthrough, Freedom of Choice, and New Traditionalists', "1982–1987: Oh No! It's Devo, Shout, and Myers' departure", 'Waterways', 'References'], ['Further reading'], ['Etymology', 'Importance', 'Iconic status', 'In popular culture', 'Empire State Building Run-Up', 'See also', 'References', 'Notes', 'Citations', 'Bibliography', 'Further reading', 'Christ poem', 'Incarnation Christology', 'Outline', 'See also', 'Notes', 'References', 'Further reading'], ['Legacy', 'Adaptations', 'TV series on HBO', 'Film', 'Books', 'Related works', 'Solve-It-Yourself Mystery Sweepstakes', 'Parodies and tributes', 'References'], ['Legendary narrative', 'Consorts and children', 'Gallery', 'See also', 'Notes', 'References', 'Ethnic groups', 'Demonym', 'Languages', 'Religion', 'Education', 'Primary education', 'Secondary education', 'Tertiary education', 'Culture', 'Sport', 'Development of the concept', 'Pre-Newtonian concepts', 'Newtonian mechanics', 'First law', 'Computing', 'People', 'See also', 'Early history and warfare', 'Formalization of life saving treatments', 'Aims', 'Setting the priorities', 'Key skills', 'Preserving life', 'Training Principles', 'Types of first aid which require training', 'First aid services', 'Symbols', 'Bird life', 'Bird observatory', 'Infrastructure', 'Electricity supply', 'Communication', 'Emergency services', 'Transport', 'Air', 'Sea', 'Road', 'Notes', 'References', 'Further reading', 'Critical studies, reviews and biography', 'Derivative works'], ['Etymology', 'History', 'Government', 'Political culture', 'Foreign relations', 'Military', 'Structural geology', 'Stratigraphy', 'Planetary geology', 'Applied geology', 'Economic geology', 'Mining geology', 'Petroleum geology', 'Engineering geology', 'Hydrology and environmental issues', 'Natural hazards', 'Project Atlantis', 'Hardware', 'Technical specifications', 'Color variants', 'Games', 'Compatibility with other systems', 'Virtual Console', 'Accessories', 'Official', 'Unofficial', 'Definition', 'History', 'Geoid and reference ellipsoid', 'Coordinate systems in space', 'Coordinate systems in the plane', 'Heights', 'Classification', 'Formation', 'Composition', 'Metallic content', 'Exotic components', 'Color-magnitude diagram', 'Morphology', 'Radii', 'Mass segregation, luminosity and core collapse', 'N-body simulations', 'Legacy', 'Ostalgie', 'Gallery', 'See also', 'Notes', 'References', 'Further reading', 'Historiography and memory', 'In German'], ['Belgium breaks away', 'Democratic and Industrial Development (1840–1900)', '1848 Constitutional reform and liberalism', 'Religion and pillarisation', 'Flourishing of art, culture and science', '1900 to 1940', 'Colonial focus', 'Neutrality during the First World War', 'Interwar period', 'The Second World War (1939–1945)', 'Nazi potentate', 'World War II', 'Success on all fronts', 'Decline on all fronts', 'War over Germany', 'End of the war', 'Trial and death', 'Personal properties', 'Role in the Holocaust', 'Decorations and awards', 'Four-membered rings with one heteroatom', 'Four-membered rings with two heteroatoms', '5-membered rings', 'Five-membered rings with one heteroatom', 'Five-membered rings with two heteroatoms', 'Five-membered rings with at least three heteroatoms', '6-membered rings', 'Six-membered rings with one heteroatom', 'Six-membered rings with two heteroatoms', 'Six-membered rings with three heteroatoms', 'Early classical period (c. 200 BCE – c. 320 CE)', 'Shunga Empire', 'Satavahana Empire', 'Trade and travels to India', 'Kushan Empire', 'Classical period: Gupta Empire (c. 320 – 650 CE)', 'Vakataka Empire', 'Kamarupa Kingdom', 'Pallava Empire', 'Kadamba Empire', 'History', 'Calculating the amount of available power', 'Social and environmental impact of dams', 'Universities with HST programs', 'Argentina', 'Australia', 'Belgium', 'Types', 'Salts', 'Esters and amides', 'ATP', 'Polysaccharides', 'Metal aqua ions', 'See also', 'References', 'Allegations by regulators in the United States (2008–2010)', 'Corporate responsibility record', 'Age discrimination complaints', 'Tax dispute in India', 'See also', 'Notes', 'References'], ['Words', 'Short integer', 'Long integer', 'Long long', 'See also', 'Notes', 'References', 'Development', 'Definition', 'Overview', 'Critiques', 'See also', 'Aftermath of the ceasefire', 'Attacks on former Unionists', 'Foreign support', 'Consequences', 'Casualties', 'Economic costs', 'Political results', 'Legacy', 'See also', 'Notes', 'Notes', 'Internationalized country code top-level domains', 'Proposed internationalized ccTLDs', 'ICANN-era generic top-level domains', 'English', 'A', 'B', 'C', 'D', 'E', 'References', 'Notes', 'Citations', 'Sources', 'Further reading'], ['Deaths', 'Holidays and observances', 'References'], ['History', 'Jurisdiction', 'Domestic jurisdiction', 'Authority of Privy Council decisions in domestic British courts', 'Overseas jurisdiction', 'Jurisdiction removed', 'Composition', 'History', 'Sales', 'Design', 'Memory', 'Specifications', 'Programming', 'Decompiling', 'Early life', 'Career', 'Birdman of Alcatraz', 'The Manchurian Candidate', 'Seven Days in May', 'The Train', 'Seconds', 'DC Comics and the Fourth World saga (1971–1975)', 'Return to Marvel (1976–1978)', 'Film and animation (1979–1980)', 'Final years (1981–1994)', 'Personal life and death', 'Artistic style and achievements', 'Narrative approach to comics', 'Style', 'Working method', 'Exhibitions and original art']]



['Wikipedia: Eugenics', 'Wikipedia: Epistle to the Colossians', 'Wikipedia: Empire', 'Wikipedia: Emperor Yūryaku', 'Wikipedia: Federal Information Processing Standards', 'Wikipedia: Feudalism', 'Wikipedia: Gene Kelly', 'Wikipedia: Granville, New South Wales', 'Wikipedia: Hydroxy group', 'Wikipedia: İsmet İnönü', 'Wikipedia: Icon', 'Wikipedia: Infusoria', 'Wikipedia: Internet Explorer']
[['Astronomy', 'Mythology', 'Biology', 'Boating', 'Chemistry', 'Given Name', 'Popular culture', 'Surname', '1987–1991: Total Devo, Smooth Noodle Maps, and breakup', '1991–1996: Hiatus', '1996–2007: Reunion', '2007–present: Something for Everybody and current activities', 'Band members', 'Timeline', 'Discography', 'See also', 'References', 'Further reading', 'Mission', 'Geopolitical situation', 'History', 'Local engagements', 'UN peacekeeping operations', 'Organization', 'Command structure', 'Branches', 'Joint Command', 'Army', 'Descriptive theories', 'In moral psychology', 'Normative theories', 'Relations with altruism', 'Relations with nihilism', 'Egoism and Nietzsche', 'Egoism and postmodernity', 'Relations with political theory', 'Egoism and revolutionary politics', 'Egoism and fascism'], ['History', 'Origin and development', 'Composition', 'Date', 'Authorship', 'Content', 'Outline', 'Definition', 'Characteristics', 'History of imperialism', 'Legendary narrative', 'Consorts and children', 'King Bu', 'Poetry', 'See also', 'Notes', 'Rugby union', 'Rugby league', 'Association football', 'See also', 'References', 'Cited sources', 'Further reading'], ['Government', 'General information', 'Second law', 'Third law', 'Special theory of relativity', 'Descriptions', 'Equilibrium', 'Static', 'Dynamic', 'Forces in quantum mechanics', 'Feynman diagrams', 'Fundamental forces', 'Specific areas of FIPS standardization', 'Data security standards', 'Withdrawal of geographic codes', 'See also', 'Physical conditions that often require first aid', 'First aid kits', 'Contents', 'References'], ['Education', 'Religion', 'Climate', 'Conservation designations', 'Notable people', 'Gallery', 'See also', 'Footnotes'], ['Early years', 'Career and fandom', 'Appearances in film, television, and music', 'Personal life', 'Sexual misconduct', 'Death', 'Legacy', 'Administrative divisions', 'Geography', 'Economy', 'Society', 'Demographics', 'Ethnic groups', 'Population centres', 'Languages', 'Religion', 'Health', 'History', 'Fields or related disciplines', 'See also', 'References'], ['Revisions', 'Game Boy Advance SP', 'Backlight model (AGS-101)', 'Game Boy Micro', 'Reception', 'Sales', 'See also', 'Notes', 'References'], ['Geodetic data', 'Point positioning', 'Geodetic problems', 'Observational concepts', 'Measurements', 'Units and measures on the ellipsoid', 'Temporal change', 'Notable geodesists', 'Mathematical geodesists before 1900', '20th century geodesists', 'Intermediate forms', 'Tidal encounters', 'Orbits', 'Planets', 'See also', 'Footnotes', 'References', 'Sources', 'General resources', 'Books', 'History', 'Heritage listings', 'Buildings and places of interest', 'Nazi invasion and occupation', 'Holocaust in the Netherlands', 'The war in the Dutch East Indies', 'False hopes, the Hunger Winter and Liberation', 'Post-war events', 'Prosperity and European Unity (1945–present)', 'Baby boom and economic reconstruction', 'Flood control', 'Europeanisation, Americanisation and internationalisation', 'Decolonisation and multiculturalism', 'German', 'Foreign', 'See also', 'References', 'Informational notes', 'Citations', 'Bibliography'], ['Six-membered rings with four heteroatoms', 'Six-membered rings with five heteroatoms', 'Six-membered rings with six heteroatoms', '7-membered rings', '8-membered rings', '9-membered rings', 'Images', 'Fused rings', 'History of heterocyclic chemistry', 'Uses', 'Empire of Harsha', 'Early medieval period (mid 6th c.–1200 CE)', 'Chalukya Empire', 'Rashtrakuta Empire', 'Gurjara-Pratihara Empire', 'Gahadavala dynasty', 'Khayaravala dynasty', 'Pala Empire', 'Cholas', 'Western Chalukya Empire', 'Use of hydropower', 'Mechanical power', 'Watermills', 'Compressed air hydro', 'Hydroelectricity', 'See also', 'Notes', 'References'], ['Canada', 'France', 'Germany', 'Greece', 'India', 'Israel', 'Japan', 'Netherlands', 'Russia', 'Spain', 'Properties', 'Occurrence', 'Hydroxyl radical', 'Lunar and other extraterrestrial observations', 'See also', 'Family and early life', 'Early military career', 'Turkish War of Independence', 'Chief negotiator in Mudanya and Lausanne', 'Single-party period', 'History', 'Emergence of the icon', 'Theodosius to Justinian', "Luke's portrait of Mary", 'Iconoclast period', 'Acheiropoieta', 'References', 'Aquarium use', 'See also', 'Footnotes', 'Bibliography'], ['F', 'G', 'H', 'I', 'J', 'K', 'L', 'M', 'N', 'O', 'Early life', 'Early career', 'The Second World War', 'Postwar', 'Personal life', 'Death and Posthumous Events', 'Books', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['Members', 'Registrars', 'Procedure', 'Location', 'Decline in Commonwealth appeals', 'Australia', 'Canada', 'Caribbean Community', 'Sri Lanka (Ceylon)', 'The Gambia', 'Define vs Compile', 'Development', 'Add-ons', 'Models', 'See also', 'References'], ['Grand Prix', 'Late 1960s', '1970s', '1980s', '1990s', 'Last years and death', 'Archive', 'Filmography', 'Film', 'Television', "Kirby's estate", 'Subsequent releases', 'Copyright dispute', 'Legacy', 'Filmography', 'Awards and honors', 'Bibliography', 'DC Comics', 'Marvel Comics', 'References']]



['Wikipedia: Denis Leary', 'Wikipedia: Dale Chihuly', 'Wikipedia: Endomorphism', 'Wikipedia: Emperor Seinei', 'Wikipedia: Geography of Finland', 'Wikipedia: Fiqh', 'Wikipedia: Four Feather Falls', 'Wikipedia: Google Search', 'Wikipedia: Eurogame', 'Wikipedia: George Vancouver', 'Wikipedia: Marrubium vulgare', 'Wikipedia: Harry Connick Jr.', 'Wikipedia: Horse breed', 'Wikipedia: Warm-blooded', 'Wikipedia: ISO/IEC 8859-1', 'Wikipedia: James Branch Cabell', 'Wikipedia: Jacksonville Jaguars', 'Wikipedia: John Jellicoe, 1st Earl Jellicoe', 'Wikipedia: Johnny Weissmuller']
[['Other', 'See also', 'Early life'], ['Early life', 'Career', 'Air Force', 'Navy', 'Cyber-Defense Operations Command', 'Education', 'Equipment sources', 'See also', 'References'], ['List of philosophers of egoism', 'See also', 'References', 'Eugenics and Racism in the United States', 'Nazism and the decline of eugenics', 'Modern resurgence of interest', 'Meanings and types', 'Controversy over scientific and moral legitimacy', 'Arguments for scientific validity', 'Objections to scientific validity', 'Ethical controversies', 'Opposition', 'Endorsement', 'Doctrinal sections', 'Conduct', 'The prison epistles', 'See also', 'Notes and references', 'Bibliography'], ['Bronze and Iron Age empires', 'Classical period', 'Post-classical period', 'Colonial empires', 'Modern period', 'Transition from empire', 'Fall of empires', 'Roman Empire', 'Contemporary usage', 'Timeline of empires', 'References'], ['Legendary narrative', 'Size and external boundaries', 'Relief and geology', 'Geology', 'Gravitational', 'Electromagnetic', 'Strong nuclear', 'Weak nuclear', 'Non-fundamental forces', 'Normal force', 'Friction', 'Tension', 'Elastic force', 'Continuum mechanics', 'References'], ['Etymology', 'Definition', 'Etymology', 'History', 'Classic feudalism', 'Vassalage', 'The "Feudal Revolution" in France', 'End of European feudalism (1500–1850s)', 'Feudal society', 'Production', 'Plot', 'Episodes', 'Syndication', 'Awards', 'Writing', 'Non-fiction', 'Anthologies', 'Short stories', 'See also', 'References'], ['Education', 'Culture', 'Music', 'Media', 'Cuisine', 'Sports', 'See also', 'References', 'Bibliography'], ['Early life', 'Stage career', 'Film career', '1941–1945: Becoming established in Hollywood', '1946–1952: MGM', '1953–1957: The decline of the Hollywood musical', '1958–1996: After MGM', 'Working methods and influence on filmed dance', 'Search indexing', '"Caffeine" search architecture upgrade', '"Medic" search algorithm update', 'Unlisted', 'See also', 'References', 'Further reading'], ['Review articles'], ['Early life and career', 'Crest Theatre', 'Transport', 'Trains', 'Bus', 'Road', 'Education', 'Culture', 'Entertainment', 'Sport', 'Demographics', 'Liberalisation', 'Recent politics', 'The Netherlands today', 'Historians and historiography', 'Historians', 'Historiography', 'See also', 'Notes', 'Further reading', 'Geography and environment', 'Etymology', 'Medicinal usage', 'Historical', 'Modern', 'Horehound candy', 'References'], ['Early life', 'Late medieval period (c. 1200–1526 CE)', 'Delhi Sultanate', 'Vijayanagara Empire', 'Regional powers', 'Bhakti movement and Sikhism', 'Early modern period (c. 1526–1858 CE)', 'Mughal Empire', 'Marathas and Sikhs', 'Maratha Empire', 'Sikh Empire', 'Origin of breeds', 'Purebreds and registries', 'Hybrids', 'See also', 'Sweden', 'Switzerland', 'United Kingdom', 'United States', 'Prominent historians of the field', 'Journals and periodicals', 'See also', 'Professional societies', 'References', 'Bibliography', 'References'], ['Terminology', 'Prime Minister', 'Statism in economy', '"National Chief" period', 'President', 'Multi-party period', 'Legacy', 'Media', 'See also', 'References', 'Further reading', 'Stylistic developments', 'Symbolism', 'Miracles', 'Eastern Orthodox teaching', 'Icon painting tradition by region', 'Byzantine Empire', 'Crete', 'Russia', 'Romania', 'Serbia', 'References', 'Bibliography'], ['History', 'Internet Explorer 1', 'Internet Explorer 2–10', 'Internet Explorer 11', 'End of life', 'Features', 'Standards support', 'Non-standard extensions', 'Favicon', 'Usability and accessibility', 'P', 'Q', 'R', 'S', 'T', 'U', 'V', 'W', 'X', 'Y', 'Early novels published under other pen names', 'Novels published in his lifetime as by John Wyndham', 'Posthumously published novels', 'Short story collections published in his lifetime', 'Posthumously published collections', 'Short stories', 'Critical reception', 'References', 'Bibliography'], ['Life', 'Honors', 'Works', 'Jurgen', 'The Biography of the Life of Manuel', 'Others', 'Grenada', 'Guyana', 'Hong Kong', 'India', 'Irish Free State', 'Jamaica', 'Malaysia', 'New Zealand', 'Pakistan', 'Rhodesia', 'Franchise history', 'Team colors, logos, and mascot', 'Logos', 'Uniforms', '1995–2001', '2002–2008', 'Awards and nominations', 'References', 'Further reading'], ['Further reading'], ['Early life']]



['Wikipedia: Recreational use of dextromethorphan', 'Wikipedia: Dean Kamen', 'Wikipedia: Geography of Egypt', 'Wikipedia: Eric Hoffer', 'Wikipedia: Email', 'Wikipedia: Epistle to Titus', 'Wikipedia: Final Solution', 'Wikipedia: Demographics of Finland', 'Wikipedia: Family law', 'Wikipedia: Flank', 'Wikipedia: Fox', 'Wikipedia: Geography of Gabon', 'Wikipedia: Gangsta rap', 'Wikipedia: Hyperthyroidism', 'Wikipedia: Icon (programming language)', 'Wikipedia: ISO/IEC 8859', 'Wikipedia: Jean Grey']
[['Discography', 'Bibliography', 'Awards', 'References'], ['Early life and family', 'Career', 'Inventions', 'FIRST', 'Governorates', 'Natural regions', 'Nile Valley and Delta', 'Western Desert', 'Early life', 'Career', 'Working-class roots', 'Personal life', 'Books and opinions', 'Terminology', 'Origin', 'Operation', 'Message format', 'Message header', 'Text', 'See also', 'References'], [], ['Background', 'Phase one: death squads of Operation Barbarossa', 'Legendary narrative', "Kenzō's reign", 'Consorts and children', 'See also', 'Notes', 'References', 'Population history', 'Centre of population', 'Families', 'Notes', 'References', 'Further reading'], ['Notes', 'Citations', 'Bibliography', 'Further reading'], ['France'], ['Etymology', 'Rationale', 'Weight saving', 'Basic operation', 'Closed-loop feedback control', 'Automatic stability systems', 'Safety and redundancy', 'History', 'Analog systems', 'Digital systems', '1940s', '1950s', '1960s', '1970s', '1980s', '1990s', '2000s', '2010s', 'See also', 'References', 'Modern times', 'See also', 'References', 'Bibliography'], ['Television', 'Radio appearances', 'References', 'Further reading'], ['Personal tab', 'Google feed', 'Ranking of results', 'PageRank', 'Google optimization', '"Hummingbird" search algorithm upgrade', 'Google Doodles', 'Smartphone apps', 'Discontinued features', 'Translate foreign pages', 'Designers', 'Events', 'Awards', 'Influence', 'See also', 'References'], ['Places', 'Australia', 'Canada', 'New Zealand', 'United Kingdom', 'United States', 'Memorials', '250th birthday commemorations', 'Origins of the family name', 'See also', 'Early life (1681–1712)', 'Frankfurt (1712–21)', 'Hamburg (1721–67)', 'Legacy and influence', 'Partial list of works', 'Operas', 'Passions', 'Production', 'Release', 'Critical response', 'Home media', 'Accolades', 'Music', '1972 soundtrack', '2007 soundtrack', 'Adaptations', 'Unproduced sequel and prequel', 'Signs and symptoms', 'Thyroid storm', 'Hypothyroidism', 'Causes', 'Every Man Should Know', 'American Idol (Season 12–13)', 'Angels Sing', 'Harry', 'Playground Sessions', 'True Love: A Celebration of Cole Porter', 'Touring Big Band members', 'Connick and New Orleans, Hurricane Katrina', "Musicians' Village", 'Personal life', 'World War II', 'Indian independence movement (1885–1947)', 'After World War II (c. 1946–1947)', 'Independence and partition (c. 1947–present)', 'Historiography', 'See also', 'References', 'Notes', 'Citations', 'Sources', 'Estrous cycle of the mare', 'Effects on the reproductive system during the estrous cycle', 'Hormones involved in the estrous cycle, during foaling, and after birth', 'Breeding and gestation', 'Care of the pregnant mare', 'Foaling', 'Foal care', 'How breeds develop', 'History of horse breeding', 'Deciding to breed a horse', 'Limit on information density', 'High-level summary', 'Unexpected connection', 'Energy, matter, and information equivalence', 'Experimental tests', 'See also', 'Notes', 'References'], ['Etymology', 'Epithets', 'Mythology', 'Craft of Hephaestus', 'Parentage', 'Fall from Olympus', 'Return to Olympus', 'Consorts and children', 'Descriptive inorganic chemistry', 'Coordination compounds', 'Main group compounds', 'Transition metal compounds', 'Organometallic compounds', 'Cluster compounds', 'Bioinorganic compounds', 'Solid state compounds', 'Theoretical inorganic chemistry', 'Qualitative theories', 'Basic syntax', 'Goal-directed execution', 'Generators', 'Other', 'See also', 'References'], ['Removal', 'Impersonation by malware', 'See also', 'Notes', 'References', 'Further reading'], ['Chinese characters', 'Cyrillic script', 'Other script', 'Geographic top-level domains', 'Africa', 'Asia', 'Europe', 'North America', 'Oceania', 'South America', 'The Painted Bird', 'Steps', 'Being There', 'Criticism', 'Plagiarism allegations', 'Television, radio, film, and newspaper appearances', 'Friendships', 'Interests', 'Bibliography', 'Filmography', 'History', 'Principles', 'Versions', 'Editions', 'Execution system', 'Java JVM and bytecode', 'Performance', 'Legend', 'Territories', 'Gastropnir', "Mímir's Well", 'Þrymheimr', 'Útgarðar', 'Vimur River', 'Events within Jötunheimr', 'Current roster', 'Players of note', 'Retired numbers', 'Pride of the Jaguars', 'Florida Sports Hall of Fame', 'All-time first-round draft picks', 'Head coaches and coordinators', 'Head coaches', 'Offensive coordinators', 'Defensive coordinators', 'Honours', 'Peerages', 'British orders', 'British decoration', 'British medals', 'International orders', 'International decorations', 'Ancestry, arms, residences', 'Ancestors', 'Arms', 'References', 'Notes', 'Citations', 'Further reading'], []]



['Wikipedia: Derivative (finance)', 'Wikipedia: Emperor Ninken', 'Wikipedia: First Council of Nicaea', 'Wikipedia: Finite set', 'Wikipedia: Grand Unified Theory', 'Wikipedia: Great Vowel Shift', 'Wikipedia: Habitus (sociology)', 'Wikipedia: List of humorists', 'Wikipedia: Highlander (franchise)', 'Wikipedia: Hamilton, Ontario', 'Wikipedia: Iconology', 'Wikipedia: Imprecise language', 'Wikipedia: Sandy Woodward']
[['Classification', 'Effects', 'Risks associated with use', 'Pharmacology', 'Legality', 'United States', 'Indonesia', 'See also', 'Advanced Regenerative Manufacturing Institute', 'Awards', 'Personal life', 'See also', 'References'], ['Eastern Desert', 'Sinai Peninsula', 'Urban and rural areas', 'Extreme points', 'Notes', 'References'], ['The True Believer', 'Later works', 'Papers', 'Published works', 'Interviews', 'Awards and recognition', 'Reception', 'See also', 'References', 'Further reading', 'Header fields', 'Message body', 'Content encoding', 'Plain text and HTML', 'Servers and client applications', 'Filename extensions', 'URI scheme mailto', 'Types', 'Web-based email', 'POP3 email servers', 'Recipient', 'Composition', 'Opposed to Pauline authenticity', 'Traditional view: Pauline authenticity', 'Epimenides paradox', 'False teachers', 'See also', 'References'], ['Bezirk Bialystok and Reichskommissariat Ostland', 'Reichskommissariat Ukraine', 'Distrikt Galizien', 'Phase two: deportations to extermination camps', 'Auschwitz II Birkenau', 'Historiographic debate about the decision', 'See also', 'Notes', 'Citations', 'References', 'Legendary narrative', "Ninken's reign", 'Consorts and Children', 'See also', 'Notes', 'References', 'Total Fertility Rate from 1776 to 1899', 'Vital statistics from 1900', 'Current vital statistics', 'Total fertility rate', 'Life expectancy from 1755 to 2015', 'Marriage', 'Demographic statistics', 'Ethnic minorities and languages', 'Finland-Swedes', 'Pakistanis', 'Overview', 'Conflict of laws', 'See also', 'Specific jurisdictions', 'References', 'Further reading'], ['See also', 'Phylogenetic relationships', 'Biology', 'General morphology', 'Pelage', 'Dentition', 'Behaviour', 'Sexual characteristics', 'Vocalization', 'Classification', 'Conservation', 'Legislation', 'Redundancy', 'Efficiency of flight', 'Airbus/Boeing', 'Applications', 'Engine digital control', 'Further developments', 'Fly-by-optics', 'Power-by-wire', 'Fly-by-wireless'], ['Definition and terminology', 'Basic properties', 'Borders', 'Climate', 'Terrain', 'Environment', 'Extreme points', 'See also', 'References'], ['Origins: 1985–1990', 'Beginnings: Schoolly D and Ice-T', 'Boogie Down Productions and N.W.A', 'Others', '1990–present', 'Ice-T', 'G-funk and Death Row Records', 'Mafioso rap', 'Dedicated encrypted search page', 'Real-Time Search', 'Privacy', 'Redesign', 'Search products', 'Energy consumption', 'Criticism', 'Complaints about indexing', 'January 2009 malware bug', 'History', 'Motivation', 'Unification of matter particles', 'SU(5)', 'SO(10)', 'E6', 'References', 'Further reading'], ['Cantatas', 'Oratorios', 'Orchestral suites', 'Chamber music', 'Keyboard', 'Organ and Theoretical', 'Concertos', 'Violin', 'Viola', 'Horn', 'See also', 'References'], ['Diagnosis', 'Subclinical', 'Screening', 'Treatment', 'Antithyroid drugs', 'Beta-blockers', 'Diet', 'Surgery', 'Radioiodine', 'Alternative medicine', 'Discography', 'Filmography', 'Broadway', 'References', 'Further reading'], ['Printed sources', 'Web-sources', 'Further reading', 'General', 'Primary', 'Online resources', 'Choosing breeding stock', 'Costs related to breeding', 'Covering the mare', 'Live cover', 'Artificial insemination', 'Advanced reproductive techniques', 'See also', 'References', 'Further reading', 'History', 'Geography', 'Climate', 'Culture', 'Hephaestus and Aphrodite', 'Hephaestus and Athena', 'Volcano god', 'Other mythology', 'Symbolism', 'Comparative mythology', 'Cities and places', 'Minor planet', 'Sooty grunter', 'Stones', 'Molecular symmetry group theory', 'Thermodynamics and inorganic chemistry', 'Mechanistic inorganic chemistry', 'Main group elements and lanthanides', 'Transition metal complexes', 'Redox reactions', 'Reactions at ligands', 'Characterization of inorganic compounds', 'Synthetic inorganic chemistry', 'See also', 'Strings', 'Other structures', 'String scanning', 'See also', 'References'], ['Introduction', 'Characters', 'The parts of ISO/IEC 8859', 'Table', 'Relationship to Unicode and the UCS', 'Current status', 'See also', 'Notes', 'References', 'All articles lacking sources', 'All articles with topics of unclear notability', 'Articles lacking sources from September 2015', 'Articles with multiple maintenance issues', 'Articles with topics of unclear notability from September 2015', 'Language', 'Internationalized geographic top-level domains', 'Brand top-level domains', 'Internationalized brand top-level domains', 'Special-Use Domains', 'See also', 'References'], ['Awards and honors', 'References', 'Further reading', 'Books', 'Articles', 'Biographical accounts'], ['Non-JVM', 'Automatic memory management', 'Syntax', 'Hello world example', 'Example with methods', 'Special classes', 'Applet', 'Servlet', 'JavaServer Pages', 'Swing application', 'How Menglöð Was Won', 'How Thor Killed Geirröd', 'How Thor Lost His Hammer', 'How Útgarða-Loki Outwitted Thor', 'The Abduction of Iðunn', "The Loss of Odin's Eye", 'See also', 'References', 'Sources', 'Current coaching staff', 'Work in the community', 'Broadcast media', 'Radio', 'Television', 'See also', 'Notes and references'], ['References', 'Sources', 'Further reading'], ['Publication history', 'Fictional character biography', 'Main timeline', 'Youth', 'Emergence of powers and joining the X-Men', 'Phoenix Force and first death', 'Revival', 'Return to the X-Men and marriage to Cyclops']]



['Wikipedia: Dryope', 'Wikipedia: Demographics of Egypt', 'Wikipedia: European Coal and Steel Community', 'Wikipedia: Eurovision Song Contest', 'Wikipedia: Eusebius (disambiguation)', 'Wikipedia: Emperor Buretsu', 'Wikipedia: Foonly', 'Wikipedia: Falklands War', 'Wikipedia: Demographics of Gabon', 'Wikipedia: Hydrostatic shock', 'Wikipedia: Heterosexuality', 'Wikipedia: Herman Charles Bosman', 'Wikipedia: Insert (filmmaking)', 'Wikipedia: Infrared', 'Wikipedia: Intel 80188', 'Wikipedia: Idealism', 'Wikipedia: Jeep', 'Wikipedia: Johann Friedrich Agricola', 'Wikipedia: Jutes']
[['References'], ['See also', 'Basics', 'Size of market', 'Usage', 'Mechanics and valuation', 'Hedging', 'Speculation and arbitrage', 'Proportion used for hedging and speculation', 'Population', 'Age distribution', 'Egyptians abroad', 'Urban and Rural Population', 'Future Population Projections', 'Vital statistics'], ['History', 'Schuman declaration', 'IMAP email servers', 'MAPI email servers', 'Uses', 'Business and organizational use', 'Email marketing', 'Personal use', 'Personal computer', 'Mobile', 'Declining use among young people', 'Issues', 'Origins and history', 'Naming', 'Format'], ['See also', 'Legendary narrative', "Buretsu's reign", 'Consorts and children', 'Sami', 'Russians', 'Romani', 'Jews', 'Tatars', 'Karelians', 'Migration', 'Emigration', 'External migration', 'Internal migration', 'History', 'Computers', 'List of models', 'The Foonly F1', 'Other models', 'Overview', 'Character and purpose', 'Attendees', 'Agenda and procedure', 'Arian controversy', 'Arguments for Arianism', 'Arguments against Arianism', 'Result of the debate', 'Nicene Creed', 'Separation of Easter computation from Jewish calendar', 'Island fox (Urocyon littoralis)', "Darwin's fox (Pseudalopex fulvipes)", 'Relationships with humans', 'Fox hunting', 'Domestication', 'Attacks on humans', 'Urban foxes', 'In culture', 'Notes', 'References', 'Intelligent flight control system', 'See also', 'References'], ['Necessary and sufficient conditions for finiteness', 'Foundational issues', 'Set-theoretic definitions of finiteness', 'Other concepts of finiteness', 'See also', 'Notes', 'References'], ['Population', 'Vital statistics', 'Fertility and births', 'East Coast hardcore hip hop and the East Coast–West Coast feud', 'Southern and Midwestern gangsta rap', 'Narco-rap', 'Mainstream rap', 'Criticism and debate', '2Pacalypse Now controversy', 'C. Delores Tucker', 'First Amendment rights', 'German gangsta-rap', 'History', 'Possible misuse of search results', 'FTC fines', 'Big Data and Human Bias', 'Trademark', 'See also', 'References', 'Further reading'], ['Extended Grand Unified Theories', 'Symplectic groups and quaternion representations', 'Octonion representations', 'Beyond Lie groups', 'Unification of forces and the role of supersymmetry', 'Neutrino masses', 'Proposed theories', 'Ingredients', 'Current status', 'See also', 'Causes', 'Overall changes', 'Details', 'Middle English vowel system', 'Changes', 'First phase', 'Second phase', 'Later mergers', 'Northern English and Scots', 'Spelling', 'Trumpet', 'Chalumeau', 'Oboe', 'Bassoon', 'Recorder', 'Flute', 'Sonatas', 'Media', 'References'], ['Origins', 'Non-sociological uses', 'Literary criticism', 'Use in literary theory', 'Body habitus', 'Scholars researching habitus', 'References', 'Further reading', 'Epidemiology', 'History', 'Pregnancy', 'Other animals', 'Cats', 'Dogs', 'See also', 'References'], ['List', 'References', 'Films', 'Highlander (1986)', 'Highlander II: The Quickening (1991)', 'Highlander III: The Sorcerer (1994)', 'Highlander: Endgame (2000)', 'Highlander: The Source (2007)', 'Future', 'Terminology', 'Demographics', 'Academic study', 'Biological and environmental', 'Sports', 'Attractions', 'Economy', 'Demographics', 'Crime', 'Government', 'Education', 'Infrastructure', 'Transportation', 'Health', 'See also', 'Notes', 'References', 'Citations', 'Bibliography'], ['References', 'In popular culture', 'See also', 'In contrast to iconography', 'Nuances', 'Studies in iconology', 'References', 'Further reading'], ['Definition and relationship to the electromagnetic spectrum', 'Natural infrared', 'Commonly used sub-division scheme', 'Description', 'Features and performance', 'End of life', 'Definitions', 'Classical idealism', 'Pre-Socratic philosophy', 'Platonism and neoplatonism', 'Christian philosophy', 'Chinese philosophy', 'World War II Jeeps', 'Development – 1. Bantam Reconnaissance Car', 'Development – 2. Willys and Ford', 'Full production – Willys MB and Ford GPW', 'Post-war military Jeeps', 'CJ-V35/U', 'JavaFX application', 'Generics', 'Criticism', 'Class libraries', 'Documentation', 'Implementations', 'Use outside the Java platform', 'Android', 'Controversy', 'See also', 'Biography', 'Leipzig', 'Berlin', 'Legacy', 'Homeland and historical accounts', 'Language', 'Settlement in southern Britain', 'See also', 'References', 'Early life', 'Naval career', 'Falklands War', 'Later career', 'Later life', 'Death', 'Personal life', 'Honours and decorations', 'Publications', 'Preparing for Onslaught', 'Arrival of Onslaught', 'New X-Men', 'Second death', 'Endsong', 'Postmortem manifestations', 'Return', 'House of X', 'Time-displaced incarnation', 'All-New X-Men']]



['Wikipedia: Doctor (title)', 'Wikipedia: Eurystheus', 'Wikipedia: Emperor Keitai', 'Wikipedia: Functional group', 'Wikipedia: Foundationalism', 'Wikipedia: Farmer Giles of Ham', 'Wikipedia: Gleichschaltung', 'Wikipedia: Genius', 'Wikipedia: GTE', 'Wikipedia: Gilbert Arthur à Beckett', 'Wikipedia: Granville rail disaster', 'Wikipedia: Hypoxia (medical)', 'Wikipedia: Transclusion', 'Wikipedia: Hussites', 'Wikipedia: Ingmar Bergman', 'Wikipedia: List of Indian massacres', 'Wikipedia: IEEE 802.2', 'Wikipedia: July 9', 'Wikipedia: Jewish prayer', 'Wikipedia: JIC']
[['References', 'Sources', 'Origins', 'Over-the-counter derivatives', 'Exchange-traded derivatives', 'Inverse ETFs and leveraged ETFs', 'Common derivative contract', 'Collateralized debt obligation', 'Credit default swap', 'Forwards', 'Futures', 'Mortgage-backed securities', 'Options', 'Current natural increase for Egypt', 'Fertility Rate (The Demographic Health Survey)', 'Life expectancy at birth', 'Demographics by Governorate', 'Urban and Rural Population of Governorates', 'Population Density by Governorate', 'Ethnic groups', 'Languages', 'Religions', 'Education', 'Political pressures', 'Treaties', 'Merger and expiry', 'Timeline of treaties', 'Institutions', 'High Authority', 'Other institutions', 'Achievements and failures', 'See also', 'References', 'Attachment size limitation', 'Information overload', 'Spam', 'Malware', 'Email spoofing', 'Email bombing', 'Privacy concerns', 'Legal contracts', 'Flaming', 'Email bankruptcy', 'Participation', 'Hosting', 'Host country', 'Eurovision logo and theme', 'Event weeks', 'Rehearsals and press conferences', 'Receptions and parties', 'Rules', 'Organisation of the contest', 'Scrutineers and Executive Supervisors', 'Family', 'Mythology', 'Labours of Heracles', 'Death', 'See also', 'Notes', 'References', 'Immigration', 'Foreign-born residents', 'Religion', 'Literacy', 'See also', 'Notes', 'References'], ['F2', 'Peripherals', 'Software', 'Tymshare'], ['References', 'Melitian schism', 'Promulgation of canon law', 'Effects of the Council', 'Role of Constantine', 'Misconceptions', 'Biblical canon', 'Trinity', 'Constantine', 'Disputed matters', 'Role of the Bishop of Rome'], ['History', 'Definition', 'Prelude', 'Failed diplomacy', 'The 1976 military coup and the Argentine junta', 'Argentine invasion', 'Initial British response', 'United Nations Security Council Resolution 502', 'Position of third-party countries', 'British task force', 'Recapture of South Georgia and the attack on Santa Fe', 'Plot summary', 'Philological humour', 'Chrysophylax Dives', 'Caudimordax', 'Garm', 'Life expectancy', 'Other demographics statistics', 'Age structure', 'Median age', 'Birth rate', 'Death rate', 'Total fertility rate', 'Population growth rate', "Mother's mean age at first birth", 'Contraceptive prevalence rate', 'Musical style', 'Road rap', 'See also', 'References', 'Sources', 'Etymology', 'Historical development', 'Galton', 'Psychology', 'IQ and genius', 'Notes', 'References', 'Further reading'], ['See also', 'Notes', 'Sources', 'References', 'Bibliography'], ['Disaster', 'Aftermath', 'Memorial', 'Generalized hypoxia', 'Local hypoxia', 'Cause', 'Ischemia', 'Hypoxemic hypoxia', 'Technical considerations', 'Context neutrality', 'Parameterization', 'Origins', 'Origin of the hypothesis', 'Arguments against', 'Distant injuries in the WDMET data', 'Autopsy findings', 'Inferences from blast pressure wave observations', 'Physics of ballistic pressure waves', 'Remote cerebral effects of ballistic pressure waves', 'Remote pressure wave effects in the spine and internal organs', 'Anime film', 'Highlander: The Search for Vengeance (2007)', 'Television', 'Highlander: The Series (1992–1998)', 'Highlander: The Animated Series (1994–1996)', 'Highlander: The Raven (1998–1999)', 'Other media', 'Web-Series', 'Books', 'Comics', 'Prenatal hormones', 'Animals and reproduction', 'Sexual fluidity', 'Sexual orientation change efforts', 'Society and culture', 'Symbolism', 'Historical views', 'Religious views', 'Heteronormativity and heterosexism', 'See also', 'Notable people', 'Sister cities', 'See also', 'Notes', 'References'], ['Early life', 'Career and adult life', 'Legacy', 'Books', 'Plays', 'Notes'], ['References', 'Biography', 'Early life', 'Overview', 'List of massacres', 'Pre-Columbian era', '1500–1830', 'CIE division scheme', 'ISO 20473 scheme', 'Astronomy division scheme', 'Sensor response division scheme', 'Telecommunication bands in the infrared', 'Heat', 'Applications', 'Night vision', 'Thermography', 'Hyperspectral imaging', 'Notes', 'References'], ['Idealism in Vedic and Buddhist thought', 'Indian philosophy', 'Buddhist philosophy', 'Subjective idealism', 'Transcendental idealism', 'Objective idealism', 'Absolute idealism', 'Actual idealism', 'Pluralistic idealism', 'See also', 'M715', 'Jeep etymology', 'Brand, trademarks and image', 'Off-road abilities', 'Company history and ownership', 'Ownership chronology', 'Military Jeeps model list', 'Civilian Jeeps model list', 'Jeep CJ', 'Willys Jeep Station Wagon and Truck', 'Comparison of Java with other languages', 'References', 'Works cited'], ['Author', 'Copyist', 'Composer', 'Keyboard', 'Organ', 'Chamber Works', 'Vocal Works', 'Choral Works', 'Opera', 'References', 'Further reading'], ['Origin and history of Jewish prayer', 'Footnotes', 'All article disambiguation pages', 'All disambiguation pages', 'The Trial of Jean Grey', 'Traveling to the Ultimate Universe', 'Extraordinary X-Men', 'X-Men: Blue', 'Phoenix premonition', 'Meeting Phoenix', 'Psych War', 'Powers and abilities', 'Empathy', 'Telepathy']]



['Wikipedia: European Economic Community', 'Wikipedia: Effects unit', 'Wikipedia: Politics of Finland', 'Wikipedia: List of freshwater aquarium fish species', 'Wikipedia: George Gershwin', 'Wikipedia: List of ships called HMS Hood', 'Wikipedia: Hopewell Centre (Hong Kong)', 'Wikipedia: Hungarian', 'Wikipedia: Islamic calendar', 'Wikipedia: Inheritance', 'Wikipedia: James Hutton', 'Wikipedia: Johann Friedrich Endersch']
[['Development in English-speaking countries', 'Doctor as a noun', 'Forms of address', 'Usage by medical practitioners in the UK and culturally-related countries', 'Worldwide usage', 'Asia', 'Bangladesh', 'Hong Kong', 'India', 'Indonesia', 'Swaps', 'Economic function of the derivative market', 'Valuation', 'Market and arbitrage-free prices', 'Determining the market price', 'Determining the arbitrage-free price', 'Criticisms', 'Hidden tail risk', 'Risks', 'Counter party risk', 'CIA World Factbook demographic statistics', 'Infant mortality rate', 'Nationality', 'Literacy', 'Genetics', 'Y-Chromosome', 'See also', 'References'], ['Further reading'], ['History', 'Internationalization', 'Tracking of sent mail', 'See also', 'Notes', 'References', 'Further reading'], ['Reference Group', 'Song and artist eligibility', 'Live music', 'Language', 'Running order', 'Voting', 'Presentation of the votes', 'Ties for first place', 'Validation and observation', 'Broadcasting', 'Eurystheus in Euripides', 'In popular culture', 'Notes', 'Sources'], ['Legendary narrative', 'Genealogy', "Keitai's reign", 'Consorts and children', 'See also', 'Notes', 'References', 'History', 'Autonomous but under Russian rule', 'Independence and the inter-war period', 'World War II and the Cold War period', 'Constitution', 'Table of common functional groups', 'Hydrocarbons', 'Groups containing halogen', 'Groups containing oxygen', 'Groups containing nitrogen', 'Groups containing sulfur', 'Groups containing phosphorus', 'Liturgical commemoration', 'See also', 'References', 'Bibliography', 'Primary sources', 'Secondary sources', 'Further reading'], ['Classical foundationalism', 'Modest foundationalism', 'Internalism and externalism', 'Criticisms', 'See also', 'References', 'Bibliography'], ['Black Buck raids', 'Escalation of the air war', 'Sinking of ARA General Belgrano', 'Sinking of HMS Sheffield', 'Diplomatic activity', 'Special forces operations', 'Air and sea battles', 'Land battles', 'San Carlos – Bomb Alley', 'Goose Green', 'Editions', 'Tales from the Perilous Realm', '50th Anniversary Edition', 'References', 'Net migration rate', 'Dependency ratios', 'Religions', 'Urbanization', 'Life expectancy at birth', 'Literacy', 'Unemployment, youth ages 15-24', 'Ethnic groups', 'Language and religion', 'References', 'Terminology', 'Legal basis', 'Propaganda and societal integration', 'Strength Through Joy', 'Implications', 'See also', 'References'], ['Philosophy', 'See also', 'References', 'Bibliography', 'Further reading', 'Books', 'Review articles', 'Web articles', 'Encyclopedia entries'], ['History', 'General Telephone', '1980s', '1990s', 'Acquisition by Bell Atlantic', 'Operating companies', 'References'], ['Biography', 'Legacy', 'Family', 'References'], ['In media', 'See also', 'References'], ['Carbon monoxide poisoning', 'Altitude', 'Hypoxic breathing gases', 'Other', 'Anemia', 'Histotoxic hypoxia', 'Cyanide poisoning', 'Physiological compensation', 'Acute', 'Chronic', 'History and implementation by Project Xanadu', 'Implementation on the Web', 'Client-side HTML', 'Server-side transclusion', 'Transclusion of source code', 'See also', 'References', 'Further reading'], ['Energy transfer required for remote neural effects', 'Other scientific findings', 'Hydrostatic shock as a factor in selection of ammunition', 'Ammunition selection for self-defense, military, and law enforcement', 'Ammunition selection for hunting', 'See also', 'References'], ['Audio', 'Video games', 'Collectible card games', 'See also', 'References'], ['References', 'Further reading'], ["Impact of Hus's death on Bohemia", 'Factions of the Hussites', 'Four Articles of Prague', 'Calixtines (or Utraquists) and Taborites', 'Factions/Groups', 'History', 'Hussite Wars (1419–1434)', 'See also', 'Film career until 1975', 'Tax evasion charges in 1976', 'Aftermath following arrest', 'Retirement and death', 'Filmography', 'Style of working', 'Repertory company', 'Financing', 'Technique', 'Subjects', '1830–1911', 'See also', 'References', 'Bibliography', 'Other imaging', 'Tracking', 'Heating', 'Cooling', 'Communications', 'Spectroscopy', 'Thin film metrology', 'Meteorology', 'Climatology', 'Astronomy', 'Operational modes', 'LLC header', 'LSAP values', 'IPv4, IPX, and 802.2 LLC', 'Control Field', 'References'], ['Notes', 'References'], ['Willys / Jeep Jeepster & (Jeepster) Commando', 'Jeep Forward Control', 'Jeep DJ and Fleetvan', 'SJ Wagoneer, Cherokee and pickups', 'Jeep Cherokee (XJ) and Comanche', 'Jeep Wrangler', 'Grand Cherokee', 'Jeep Liberty / Cherokee', 'Jeep Commander', 'Jeep Compass and Patriot platform', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'Places', 'References'], [], ['Early life and career', 'Farming and geology', 'Biblical origin', 'The number of prayers per day', 'Development of the prayer text', 'Text and language', 'Denominational variations', 'Philosophy of prayer', 'The rationalist approach', 'The educational approach', 'Kabbalistic view', 'Methodology and terminology', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'Telekinesis', 'Psychic Energy Synthesis', 'Telekinetic weapons', 'Phoenix Force', 'Resurrection', 'Miscellaneous abilities', 'Other versions', 'Reception', 'Collected editions', 'Mini-series']]



['Wikipedia: Politics of Egypt', 'Wikipedia: Emoticon', 'Wikipedia: Emperor Ankan', 'Wikipedia: Fractal', 'Wikipedia: February 5', 'Wikipedia: Felidae', 'Wikipedia: Politics of Gabon', 'Wikipedia: Georg Cantor', 'Wikipedia: Grain (disambiguation)', 'Wikipedia: General aviation', 'Wikipedia: Glaucus (disambiguation)', 'Wikipedia: Historical revisionism', 'Wikipedia: Source tracking', 'Wikipedia: Hadith', 'Wikipedia: Houston Astros', 'Wikipedia: Howitzer', 'Wikipedia: Invertebrate', 'Wikipedia: Jason', 'Wikipedia: James Blaylock', 'Wikipedia: Jacques Dupuis (Jesuit)']
[['Pakistan', 'Philippines', 'Sri Lanka', 'Thailand', 'The Americas', 'Brazil', 'Canada', 'Quebec', 'United States', 'Europe', 'Large notional value', 'Financial reform and government regulation', 'Reporting', 'Glossary', 'See also', 'References', 'Further reading'], ['Presidency', 'Legislative branch', 'The House of Representatives (Magles en Nowwáb)', 'The Consultative Council (Maglis El-Shura)', 'Background', 'Creation and early years', 'Enlargement and elections', 'Toward Maastricht', 'European Community', 'Aims and achievements', 'Members', 'Institutions', 'Council', 'Commission', 'History', 'Pre-emoticon', 'Creation of :-) and :-(', 'Evolution from emoticons', 'Variety of styles', 'Western-style', 'Archive status', 'Expansion of the contest', 'Pre-selections and relegation', 'The "Big Four" and "Big Five"', 'Introduction of semi-finals', 'Winners', 'Trophy presentation', 'Winning artists and songs', 'Interval acts and guest appearances', 'Anniversary shows and special events', 'Terminology', 'Formats', 'Stompboxes', 'Rackmounts', 'Multi-effects and tabletop units', 'Built-in units', 'History', 'Studio effects and early stand alone units', 'Legendary narrative', 'Genealogy', 'See also', 'Notes', 'References', 'Executive branch', 'President', 'Government', 'Ministries', 'Parliament', 'Political parties and elections', 'Judiciary', 'Administrative divisions', 'Regional and local administration', 'Indirect public administration', 'Groups containing boron', 'Groups containing metals', 'Names of radicals or moieties', 'See also', 'References'], ['Events', 'Births', 'Deaths', 'Holidays and observances', 'References', 'Characteristics', 'Evolution', 'Classification', 'Living species', 'Phylogeny', 'Special forces on Mount Kent', 'Bluff Cove and Fitzroy', 'Fall of Stanley', 'Recapture of South Sandwich Islands', 'Casualties', 'Red Cross Box', 'British casualty evacuation', 'Aftermath', 'Military analysis', 'Memorials', 'Angelfish', 'Catfish', 'Characins and other characiformes', 'Cichlids', 'Cyprinids', 'Loaches and related cypriniformes', 'Live-bearers and killifish', 'Labyrinth fish', 'Rainbowfish', 'Political developments', 'Political conditions', 'Executive branch', 'Life of Georg Cantor', 'Youth and studies', 'Teacher and researcher', 'Material structures', 'Places', 'Arts, entertainment, and media', 'Definition', 'Geography', 'Europe', 'United Kingdom', 'People', 'Rivers', 'Ships', 'Other', 'See also', 'Biography', 'Ancestors', 'Early life', 'Tin Pan Alley and Broadway, 1913–1923', 'Musical, Europe and classical music, 1924–1928', 'New York, 1929–1935', 'Last years, 1936–37', 'Illness and death', 'Musical style and influence', 'Treatment', 'See also', 'Notes', 'References'], ['See also', 'Etymology', 'Definition', 'Distinction from sunnah', 'Distinction from other literature', 'Non-prophetic hadith', 'Battle honours', 'Notes', 'References', 'Description', 'Access', 'Gallery', 'News', 'See also', 'References'], ['The Council of Basel and Compacta of Prague', 'Hussite Bohemia, Luther and the Reformation (1434–1618)', 'Bohemian Revolt and harsh persecution under the Habsburgs (1618–1918)', 'Post-Habsburg era and modern times (1918–present)', 'See also', 'References', 'Bibliography'], ['Etymology', 'History', 'Early modern period', 'Twentieth century', 'Types', "Bergman's views on his career", 'Theatrical work', 'Personal life', 'Marriages and children', 'Awards and nominations', 'Legacy', 'Exhibitions', 'See also', 'Notes', 'References', 'History', 'Pre-Islamic calendar', 'Prohibiting Nasī’', 'Days of the Week', 'Months', 'Length of months', 'Prohibition of the name Ramadan', 'Year numbering', 'Astronomical considerations', 'Infrared cleaning', 'Art conservation and analysis', 'Biological systems', 'Photobiomodulation', 'Health hazards', 'History of infrared science', 'See also', 'Notes', 'References'], ['Etymology', 'Taxonomic significance', 'Number of extant species', 'Characteristics', 'Morphology and symmetry', 'Nervous system', 'Terminology', 'History', 'Religious laws about inheritance', 'Jewish laws', 'Christian laws', 'Islamic laws', 'Inequality', 'Social stratification', 'Sociological and economic effects of inheritance inequality', 'Dynastic wealth', 'Concepts and prototypes', 'Current models', 'Future models', 'Jeeps built outside the USA', 'Jeep apparel and sponsorships', 'See also', 'References'], ['Persecution by Pelias', 'The Argonauts and the Quest for the Golden Fleece', 'The Isle of Lemnos', 'Cyzicus', 'Phineas and the harpies', 'Edinburgh and canal building', 'Later life and death', 'Theory of rock formations', 'Search for evidence', 'Publication', 'Opposing theories', 'Acceptance of geological theories', 'Other contributions', 'Meteorology', 'Earth as a living entity', 'Terms for praying', 'Minyan (quorum)', 'Attire', 'Other laws and customs', 'Daily prayers', 'Shacharit (morning prayers)', 'Mincha (afternoon prayers)', "Ma'ariv/Arvit (evening prayers)", 'Prayer on Shabbat', 'Friday night', 'Life', 'Notes'], ['First series', 'Other series', 'In other media', 'See also', 'References'], []]



['Wikipedia: Disney (disambiguation)', 'Wikipedia: Emperor Senka', 'Wikipedia: Economy of Finland', 'Wikipedia: Fox News', 'Wikipedia: Folklore', 'Wikipedia: List of chess players', 'Wikipedia: Grass (disambiguation)', 'Wikipedia: Grue', 'Wikipedia: George Gordon, 1st Earl of Aberdeen', 'Wikipedia: H. P. Lovecraft', 'Wikipedia: Harwich, Massachusetts', 'Wikipedia: HMS Ark Royal', 'Wikipedia: Hummer', 'Wikipedia: Isaac Newton', 'Wikipedia: Icosidodecahedron', 'Wikipedia: Ignatius of Antioch', 'Wikipedia: Jamaica']
[['Austria', 'Finland', 'France', 'Germany', 'Greece', 'Hungary', 'Ireland', 'Italy', 'Malta', 'The Netherlands', 'Units of The Walt Disney Company', 'Other uses', 'People with the surname', 'Walt Disney and relatives', 'Others', 'Parliamentary Elections', 'Political parties and elections', 'Civil society', 'Political pressure', 'Foreign relations', 'References', 'Bibliography'], ['Parliament', 'Court', 'Auditors', 'Policy areas', 'See also', 'EU evolution timeline', 'Notes', 'References', 'Further reading', 'Primary sources', 'Japanese style (kaomoji) ===', 'Combination of Japanese and Western styles', '2channel style', 'Korean style', 'Chinese ideographic style', 'Russian smiley', 'Posture emoticons', 'Orz', 'Multimedia variations', 'Emoticons and intellectual property rights', 'Songs of Europe', 'Congratulations: 50 Years of the Eurovision Song Contest', "Eurovision Song Contest's Greatest Hits", 'Eurovision: Europe Shine a Light', 'Criticism and controversy', 'Musical style and presentation', 'Political controversies', '"Political" and geographical voting', 'LGBT visibility', 'Israeli participation', 'Amplifiers', 'Types', 'Distortion', 'Dynamics', 'Filter', 'Modulation', 'Pitch/frequency', 'Time-based', 'Feedback/sustain', 'Other effects', 'Legendary narrative', 'Genealogy', 'See also', 'Notes', 'Foreign relations', 'See also'], ['References', 'Introduction', 'History', 'Definition and characteristics', 'Common techniques for generating fractals', 'Simulated fractals', 'Natural phenomena with fractal features', 'In creative works'], ['History', 'Political alignment', 'Prehistoric taxa', 'See also', 'References'], ['Minefields', 'Press and publicity', 'Argentina', 'United Kingdom', 'Cultural impact', 'See also', 'Notes', 'Footnotes', 'Bibliography', 'Historiography', 'Gobies and sleepers', 'Sunfish and relatives', 'Other fish', 'See also', 'Sources', 'References', 'Legislative branch', 'Political parties and elections', 'Judicial branch', 'Administrative divisions', 'International organization participation', 'See also', 'References', 'Later years and death', 'Mathematical work', 'Number theory, trigonometric series and ordinals', 'Set theory', 'One-to-one correspondence', 'Continuum hypothesis', 'Absolute infinite, well-ordering theorem, and paradoxes', "Philosophy, religion, literature and Cantor's mathematics", "Cantor's ancestry", 'Biographies', 'Other uses', 'See also', 'Plants', 'North America', 'Regulation', 'Safety', 'See also', 'References'], ['Early life', 'Career', 'Family', 'Recordings and film', 'Compositions', 'Legacy', 'Estate', 'Awards and honors', 'Namesakes', 'Biopics', 'Portrayals in other media', 'See also', 'References', 'Historical scholarship', 'Negationism and denial', 'Influences', 'Revised versions', 'Dark Ages', 'Feudalism', 'Agincourt', 'New World discovery and European colonization of the Americas', 'Biography', 'Early life and family tragedies', 'Earliest recognition', 'Rejuvenation and tragedy', 'Marriage and New York', 'Return to Providence', 'Hadith and Quran', 'Importance of hadith complementing the Quran', 'Components, schools, types', 'Impact', 'Types', 'Components', 'Different schools', 'History, tradition and usage', 'History', 'Shia and Sunni textual traditions', 'Franchise history', 'Major League Baseball comes to Texas', '1962–1964: The Colt .45s', '1965–1970: The Great Indoors', '1971–1974: The boys in orange', 'The Big Trade', '1975–1979: Cautious corporate ownership', 'History', 'Attractions', 'Geography', 'Climate', 'Ecology', 'Demographics', 'Battle honours', 'References', 'Examples', 'See also', 'References'], ['Bibliography'], ['Life', 'Theological considerations', 'Astronomical 12-moon calendars', 'Islamic calendar of Turkey', "Saudi Arabia's Umm al-Qura calendar", 'Other calendars using the Islamic era', 'Tabular Islamic calendar', 'Kuwaiti algorithm', 'Notable dates', 'Converting Hijri to Gregorian date or vice versa', 'Current correlations', 'Geometry', 'Cartesian coordinates', 'Orthogonal projections', 'Respiratory system', 'Reproduction', 'Social interaction', 'Phyla', 'Classification of invertebrates', 'History', 'Classification', 'Significance of the group', 'In research', 'See also', 'Taxation', 'References'], ['Etymology', 'History', 'Prehistory', 'Spanish rule (1509–1655)', 'Early British period', 'The Symplegades', 'The arrival in Colchis', 'The return journey', 'Sirens', 'Talos', 'Jason returns', 'Treachery of Jason', 'Family', 'Parentage', 'Children', 'Evolution', 'Works', 'Recognition', 'See also', 'References', 'Further reading'], ['Shacharit', 'Mincha', "Ma'ariv", 'Special observances and circumstances', 'Rosh Hashana and Yom Kippur', 'Pesach, Shavuot and Sukkot', 'Role of women', 'Number of obligatory prayers', 'Seating', 'Prayer leaders', 'Awards', 'Novels', 'The "Balumnia" Trilogy', 'The "Narbondo" Series', 'Short fiction and novellas', 'Collections', 'The "Christian" Trilogy', 'The "Ghosts" Trilogy', 'Others', 'References', 'Career', 'Under investigation', 'Christology', 'Books', 'Notes', 'Bibliography'], []]



['Wikipedia: Divine right of kings', 'Wikipedia: Economy of Egypt', 'Wikipedia: EFTA (disambiguation)', 'Wikipedia: Epoch (disambiguation)', 'Wikipedia: Enron', 'Wikipedia: Eastmoreland, Portland, Oregon', 'Wikipedia: Fahrenheit', 'Wikipedia: Economy of Gabon', 'Wikipedia: Gracchi', 'Wikipedia: George Hamilton-Gordon, 4th Earl of Aberdeen', 'Wikipedia: Grammatical gender', 'Wikipedia: Herman of Alaska', 'Wikipedia: Interquartile range', 'Wikipedia: Ivar Aasen', 'Wikipedia: Jakob Abbadie', 'Wikipedia: Jewish eschatology', 'Wikipedia: Jerry Pournelle', 'Wikipedia: Jack Brabham']
[['Portugal', 'Spain', 'United Kingdom', 'Wales', 'Former Yugoslavia', 'Oceania', 'Australia', 'Abbreviation', 'British usage', 'American usage', 'See also', 'Pre-Christian European conceptions', 'Christian conceptions', 'Macroeconomic trend', 'Reform era', 'External trade and remittances', 'Public finances', 'Opportunity cost of conflict'], ['See also', 'Unicode', 'See also', 'References', 'Further reading'], ['Cultural influence', 'Spin-offs and related shows', 'Eurovision Young Dancers', 'Eurovision Young Musicians', 'Junior Eurovision Song Contest', 'Eurovision Choir', 'Other related competitions', 'Notes', 'References', 'Further reading', 'Bass effects', 'Boutique pedals', 'Modification', 'Other pedals and rackmount units', 'See also', 'References', 'References', 'See also', 'References', 'History', 'After World War II', 'Liberalization', 'European Union', 'Data', 'Agriculture', 'Forestry', 'Industry', 'Electronics', 'Physiological responses', 'Applications in technology', 'Ion propulsion', 'See also', 'Notes', 'References', 'Further reading'], ['Outlets', 'Television', 'Radio', 'Online', 'Ratings and reception', 'Demographics', 'Slogan', 'Content', 'Benghazi attack and aftermath', 'Uranium One', 'Overview', 'Origin and development of folklore studies', 'Definition of "folk"', 'Folklore genres', 'Verbal tradition', 'Material culture', 'Customs', 'Childlore and games', 'Folk history'], ['Definition and conversion', 'History', 'A', 'B', 'C', 'D', 'E', 'F', 'G', 'Resources', 'Financial problems', 'Animal husbandry', 'Fishing', 'Industry', 'Statistics', 'See also', 'Notes', 'References', 'Bibliography', 'Primary literature in English', 'Primary literature in German', 'Secondary literature'], ['People with the surname', 'Places', 'Art, entertainment, and media', 'Film', 'Games', 'Literature', 'Music', 'Television', 'Computing and technology', 'Slang usage', 'See also', 'Notes', 'References'], ['Further reading', 'Historiography'], ['French attack formations in the Napoleonic wars', 'World War I', 'German guilt', 'Poor British and French military leadership', 'Reconstruction in the United States', 'American business and "Robber Barons"', 'Excess mortality in Soviet Union under Joseph Stalin', 'Guilt for causing World War II', 'Cold War', 'Vietnam War', 'Last years and death', 'Influences', 'Themes', 'Forbidden knowledge', 'Non-human influences on humanity', 'Fate', 'Civilization under threat', 'Race', 'Risks of a scientific era', 'Religion and superstition', 'Extent and nature in the Sunni tradition', 'Extent and nature in the Shia tradition', 'Modern usage', 'Studies and authentication', 'Biographical evaluation', 'Scale of transmission', 'Analyzing text', 'Terminology: admissible and inadmissible hadiths', 'Criticism', 'See also', '1980–1985: More rainbow, and seasons on the brink', '1986–1990: A deep run, and building for the future', '1991–1999: Fine tuning', '2000–2004: New ballpark and rebranding', '2005: First World Series played in Texas', '2006–2009: The decline', '2010–2014: Last years in the NL and move to the AL West', '2015–present: First World Series title and sign stealing scandal', 'Sign stealing scandal', 'Uniforms', 'Government', 'Public and health services', 'Education', 'Transportation', 'Roadways', 'Cape Cod Rail Trail', 'Air travel', 'CCRTA bus connections', 'Notable people', 'Notable events', 'Early life', 'Mission in Alaska', 'Life on Spruce Island', 'Sainthood', 'Notes', 'References', 'History', 'Origin', 'GM purchase', 'Failed sale', 'Revival – GMC Hummer EV', 'Models', 'Hummer H1', 'Hummer H2', 'Hummer H3', 'Early life', 'Middle years', 'Mathematics', 'Optics', 'Mechanics and gravitation', 'Classification of cubics', 'Later life', 'Death', 'Personal relations', 'After death', 'Uses', 'Computer support', 'See also', 'References', 'Notes'], ['Surface area and volume', 'Spherical tiling', 'Related polytopes', 'Dissection', 'Related polyhedra', 'Related polychora', 'Icosidodecahedral graph', 'Trivia', 'See also', 'Notes', 'References', 'Further reading'], ['His Life', 'Veneration', 'Martyrdom', 'Circumstances of martyrdom', 'Route of travel to Rome', 'Date of martyrdom', 'Death and aftermath', 'The Martyrium Ignatii', 'Epistles', 'Recensions', '18th–19th centuries', 'Early 20th century', 'Post-independence era', 'Government and politics', 'Political parties and elections', 'Administrative divisions', 'Military', 'Geography and environment', 'Climate', 'Flora and fauna', 'In literature', 'Popular culture', 'Note', 'See also', 'References', 'Notes', 'Bibliography'], ['Life', 'Works', 'Notes', 'References'], ['Role of minors', 'See also', 'References'], [], ['Early years', 'Personal life', 'Early life', 'Racing career', 'Australia']]



['Wikipedia: Domnall mac Ailpín', 'Wikipedia: European Free Trade Association', 'Wikipedia: Nitrox', 'Wikipedia: Elyssa Davalos', 'Wikipedia: Fluid', 'Wikipedia: Florence', 'Wikipedia: Telecommunications in Gabon', 'Wikipedia: University of Gothenburg', 'Wikipedia: Grape', 'Wikipedia: History of the petroleum industry in the United States', 'Wikipedia: Hull (watercraft)', 'Wikipedia: Hull classification symbol', 'Wikipedia: Hausdorff dimension', 'Wikipedia: ISO 8601', 'Wikipedia: July 24', 'Wikipedia: Jerry Lewis']
[['Honorary doctorates', 'Other uses of "doctor"', 'See also', 'Notes', 'References'], ['During early and middle ages', 'Scots texts of James VI of Scotland', 'Western conceptions', 'Catholic justification for the divine rights', 'Divine right and Protestantism', 'Zoroastrianism conceptions (Iranian world)', 'Divine right in Asia', "Confucianism's and Shintoism's", 'Concept of "Mandate of Heaven"', 'Practice in China and East Asia', 'The financial sector', 'Monetary policy', 'Exchange rate policy', 'Natural resources', 'Land, agriculture and crops', 'Water resources', 'Groundwater', 'Mineral and energy resources', 'Main economic sectors', 'Agricultural sector', 'Membership', 'History', 'Current members', 'Former members', 'Time-related', 'Arts and entertainment', 'Games', 'Publications', 'Science and technology', 'Weapons', 'See also'], ['Physiological effects under pressure', 'Decompression benefits', 'History', 'Pre-merger origins (1925–1985)', 'InterNorth', 'Houston Natural Gas', 'Merger', 'Post-merger rise (1985–1991)', 'Timeline (1985–1992)'], ['Filmography', 'Film', 'Metals, engineering and manufacturing', 'Chemical industry', 'Pulp and paper industry', 'Energy industry', 'Companies', 'Household income and consumption', 'Unemployment', 'Gross domestic product', 'Euro Membership', 'Public policy', 'Physics', 'Modelling', 'See also', 'References', 'Pro-Republican and pro-Trump bias', 'Coverage of Russia investigation', 'False claims about other media', "CNN's Jake Tapper", 'The New York Times', 'Climate change', 'Murder of Seth Rich conspiracy', 'Unite the Right rally in Charlottesville', "Glenn Beck's comments about George Soros", '2019–20 coronavirus pandemic', 'Folklore performance in context', 'Backstory', 'Tradition-bearer and audience', 'Framing the performance', 'In the subjunctive voice', "Anderson's law of auto-correction", 'Context of material lore', "Toelken's conservative-dynamic continuum", 'In the electronic age', 'See also', 'Usage', 'Unicode representation of symbol', 'See also', 'Notes and references'], ['H', 'I', 'J', 'K', 'L', 'M', 'N', 'O', 'P', 'Q', 'See also', 'References'], ['About', 'History', 'Structure', 'Management', 'Faculties', 'Other uses of the above', 'See also', 'History', 'Early life', 'Gracchi reforms', 'Background', 'Reforms of Tiberius Gracchus', 'Reforms of Gaius Gracchus', 'Assessment and reasons for failure', 'Aftermath', 'Notes', 'References', 'Early life', 'Political and diplomatic career, 1805–1828', 'Political career, 1828–1852', 'In opposition', 'Prime Minister, 1852–1855', 'The "Eastern Question"', 'Crimean War 1853–1856', 'Relations with the United States', 'Legacy', 'Family', 'Overview', 'Gender division systems', 'Consequences of gender', 'Noun inflection', 'Agreement', 'Gender assignment', 'Strict semantic criteria', 'Mostly semantic criteria', 'Correlation between gender and the form of a noun', 'Gender in personal names', 'See also', 'Cases of revisionism', 'References', 'Further reading', 'Lovecraft Country', 'Critical reception', 'Within the genre', 'Literary', 'Philosophical', 'Retrospective reception', 'Legacy', 'Music', 'Games', 'Religion and occultism', 'References', 'Notes', 'Citations', 'Bibliography', 'Further reading'], ["1962–1964: The Colt .45's", '1965–1974: Shooting stars', '1975–1986: Tequila sunrise/Orange rainbows', '1980–1993: Rainbow shoulders', '1994–1999: Midnight blue and gold', '2000–2012: Railroad design', '2013–present: Return to navy and orange', 'Achievements', 'Franchise record', 'Awards', 'References'], ['History'], ['Intuition', 'Formal definitions', 'Concept vehicles', 'Hummer HX', 'Plug-in hybrid', 'Racing', 'Stretch limousines', 'Production', 'Criticisms', 'Licensing', 'See also', 'References', 'Fame', 'Commemorations', 'Religious views', 'Effect on religious thought', 'Occult', 'Alchemy', 'Enlightenment philosophers', 'Apple incident', 'Works', 'Published in his lifetime', 'Use', 'Algorithm', 'Examples', 'Data set in a table', 'Data set in a plain-text box plot', 'Distributions', 'Interquartile range test for normality of distribution', 'References'], ['History', 'Background', 'Career', 'The Ivar Aasen Centre', '2013 Language year==', 'Bibliography', 'Footnotes', 'References'], ['Authenticity', 'Style and structure', 'Theology', 'Christology', 'Ecclesiology', 'Parallels with Peregrinus Proteus', 'Pseudo-Ignatius', 'See also', 'References', 'Citations', 'Aquatic life', 'Pollution', 'Environmental policies', 'Demographics', 'Ethnic origins', 'Languages', 'Emigration', 'Crime', 'Major cities', 'Religion', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'References', 'Early life', 'Career', 'Early Martin and Lewis era', "Lewis' prime and later years", 'Origins and development', 'Jewish messianism', 'Etymology', 'Early Second Temple period (516 BCE – c.220 BCE)', 'Later Second Temple period (c.220 BCE – 70 CE)', 'Talmud', 'Rabbinic commentaries', 'Contemporary views', 'Orthodox Judaism', 'Faith and worldview', 'Career', 'Fiction', 'Pseudonyms and collaborations', 'Journalism and tech writing', "The User's Column", 'Other technical writing', 'Software', 'Politics', 'Pournelle chart', 'Europe', 'Cooper', 'Brabham', 'Retirement', 'Death', 'Honours and awards', 'Racing record', 'Complete Formula One World Championship results', 'Non-Championship results', 'Complete Tasman Series results']]



['Wikipedia: Erdős number', 'Wikipedia: Emil Theodor Kocher', 'Wikipedia: FAQ', 'Wikipedia: Fusion cuisine', 'Wikipedia: Gossip', 'Wikipedia: GnuCash', 'Wikipedia: Humvee', 'Wikipedia: Indiana Jones (character)', 'Wikipedia: Irredentism', 'Wikipedia: ITU prefix', 'Wikipedia: Judah ha-Nasi']
[['Reign', 'Notes', 'See also', 'References'], ['Practice in Japan', 'Hinduism and Indic religions', 'Concept of "Chakravarti"', 'Concept of "Devaraja"', 'Indian Subcontinent', '"Chakravarti" kings of Indian subcontinent', '"Devaraja" tamil kings', '"Devaraja" kings in Indianized polities in Southeast Asia', 'Indonesian empires', 'Khmer empire of Cambodia, Vietnam and Laos', 'Irrigation', 'Crops', 'Land ownership', 'Industrial sector', 'Automobiles manufacturing', 'Chemicals', 'Consumer electronics and home appliances', 'Steel industries', 'Textiles and clothing', 'Energy sector', 'Other negotiations', 'Monaco, Andorra and San Marino', 'Norway', 'Switzerland', 'Iceland', 'Faroe Islands', 'United Kingdom', 'Organisation', 'Council', 'Secretariat', 'Overview', 'Definition and application in mathematics', 'Most frequent Erdős collaborators', 'Related fields', 'Nitrogen narcosis', 'Oxygen toxicity', 'Carbon dioxide retention', 'Other effects', 'Uses', 'Underwater diving', 'Therapeutic recompression', 'Medicine, mountaineering and unpressurised aircraft', 'Terminology', 'MOD', '1980s', 'July 1985', 'November 1985', '1986', '1987', '1988', '1989', '1990', '1991', '1992', 'Television', 'References'], ['Product market', 'Job market', 'Taxation', 'Occupational and income structure', 'See also', 'References'], ['Origins', 'On the Internet', 'Modern developments', 'Non-traditional FAQs', 'Controversies', 'Sexual harassment', 'Obama administration conflict', 'Journalistic ethical standards', 'International transmission', 'Australia', 'Brazil', 'Canada', 'France', 'India', 'Notes', 'Footnotes', 'References'], ['History', 'Roman origins', 'Second millennium', 'Middle Ages and Renaissance', 'Rise of the Medici', 'Savonarola, Machiavelli, and the Medici Popes', '18th and 19th centuries', '20th century', 'R', 'S', 'T', 'U', 'V', 'W', 'X', 'Y', 'Z', 'Famous people connected with chess', 'Radio and television', 'Telephones', 'Internet', 'ICTS IN SUSTAINABLE DEVELOPMENT AWARDS 2015', 'Internet censorship and surveillance', 'See also', 'References'], ['Other', 'World ranking', 'Noted people', 'Alumni', 'Honorary degrees', 'Past rectors', 'See also', 'References'], ['Description', 'Nutrition', 'Grapevines', 'Distribution and production', 'Table and wine grapes', 'Seedless grapes', 'Raisins, currants and sultanas', 'Juice', 'Pomace and phytochemicals', 'Skin', 'Further reading'], ['Etymology', 'Ancestry', 'Religious interests', 'Notes', 'Bibliography'], ['Apparent absence of criteria', 'Nouns with more than one gender', 'Genderless nouns', 'Names, occupations, and nationalities', 'Related linguistic concepts', 'Noun classes', 'Noun classifiers', 'Gender of pronouns', 'Indefinite and dummy pronouns', 'Grammatical vs. natural gender ==', '19th century', 'Before the Drake well', 'Drake well, Titusville, Pennsylvania', 'Appalachian Basin', 'Lima-Indiana District', 'Mid-Continent', 'Oklahoma', 'East Texas', 'North Louisiana', 'Lovecraft in fiction', 'Editions and collections of works', 'Correspondence', 'Copyright and other legal issues', 'Bibliography', 'See also', 'Notes', 'References', 'Sources', 'Further reading', 'General features', 'Hull shapes', 'Planing and displacement hulls', 'Hull forms', 'Chined and hard-chined hulls', 'Smooth curve hulls', 'Appendages', 'Team captains', 'Team records', 'Retired numbers', 'Hall of Fame', 'Baseball Hall of Fame members', 'Ford C. Frick Award recipients', 'Astros Hall of Fame', 'Texas Sports Hall of Fame', 'Roster', 'Spring training', 'United States Navy', 'United States Revenue Cutter Service and United States Coast Guard', 'United States Coast and Geodetic Survey', 'The modern hull classification system', 'Military Sealift Command', 'United States Coast Guard', 'National Oceanic and Atmospheric Administration', 'United States Navy hull classification codes', 'Warships', 'Aircraft carrier type', 'Hausdorff content', 'Hausdorff measure', 'Hausdorff dimension', 'Examples', 'Properties of Hausdorff dimension', 'Hausdorff dimension and inductive dimension', 'Hausdorff dimension and Minkowski dimension', 'Hausdorff dimensions and Frostman measures', 'Behaviour under unions and products', 'Self-similar sets'], ['History', 'Usage in combat', 'Published posthumously', 'Primary sources', 'See also', 'References', 'Sources', 'Further reading', 'Alchemy and non-scientific life', 'Religion', 'Science'], ['Outliers', 'See also', 'References'], ['General principles', 'Dates', 'Years', 'Calendar dates', 'Week dates', 'Ordinal dates', 'Times', 'Time zone designators', 'Local time (unqualified)', 'Coordinated Universal Time (UTC)', 'Etymology', 'Current government level irredentist claims', 'Argentina', 'Bengal', 'Bolivia', 'Sources', 'Further reading'], ['Culture', 'Music', 'Literature', 'Film', 'Cuisine', 'National symbols', 'Sport', 'Education', 'Economy', 'Infrastructure'], ['Name and titles', 'Biography', 'Video assist', 'Film class and seminars', 'Critical acclaim in France', 'Activism with MDA', 'Non-career activities', 'Personal life', 'Relationships and children', 'Stalking incident', 'Illness and death', 'Comedic style', 'Conservative Judaism', 'Reform Judaism', 'Characteristics of the endtime', 'War of Gog and Magog', 'The world to come', 'Olam Ha-Ba', 'Second Temple Period', 'Medieval rabbinical views', 'Rabbinic legends', 'In contemporary Judaism', 'Strategic Defense Initiative', 'Politics in fiction', "Pournelle's laws", "Pournelle's first law", "Pournelle's second law", "Pournelle's law of cables", "Pournelle's iron law of bureaucracy", 'Awards', 'Bibliography', 'Scholarly', 'Complete World Sportscar Championship results', 'Complete 24 Hours of Le Mans results', 'Indy 500 results', 'Complete Bathurst 1000 results', 'Notes', 'References', 'Citations', 'Sources'], []]



['Wikipedia: Danse Macabre', 'Wikipedia: Telecommunications in Finland', 'Wikipedia: Fibonacci number', 'Wikipedia: Frame problem', 'Wikipedia: Foresight Institute', 'Wikipedia: Transport in Gabon', 'Wikipedia: Film genre', 'Wikipedia: Huns', 'Wikipedia: Hymn', 'Wikipedia: Hal Clement', 'Wikipedia: Heckler & Koch', 'Wikipedia: Inventor', 'Wikipedia: IBM PC keyboard', 'Wikipedia: Judah', 'Wikipedia: Jones calculus']
[['Background', 'Paintings', 'Frescoes', "Hans Holbein's woodcuts", 'Musical settings', 'Thailand', 'Rajas and Sultans of Indianized polities in Southeast Asia', 'Opposition to the divine right of kings', 'See also', 'Notes', 'References', 'Further reading'], ['Construction and contracting sector', "Egypt's smart new cities", 'Services sector', 'Banking and insurance', 'Communications', 'Transport', 'Tourism sector', 'Emerging sectors', 'ICT sector', 'Largest companies', 'Locations', 'Relationship with the European Union: the European Economic Area', 'EEA institutions', 'EEA and Norway Grants', 'International conventions', 'International trade relations', 'Free trade agreements', 'Ongoing free trade negotiations', 'Declarations on cooperation or dialogue on closer trade relations', 'Travel policies', 'Physics', 'Biology', 'Finance and economics', 'Philosophy', 'Law', 'Politics', 'Engineering', 'Social network analysis', 'Linguistics', 'Impact', 'Equipment', 'Choice of mixture', 'Best mix', 'Production', 'Cylinder markings to identify contents', 'Regional standards and conventions', 'European Union', 'Germany', 'South Africa', 'USA', '1991–2000', 'Operations as a trading firm', 'Entrance into the retail energy market', 'Data management', 'Overseas expansion', 'Misleading financial accounts', '2001 Accounting scandals', 'Accounting practices', 'Post-bankruptcy', 'Insider trading scandal', 'Early life and personal life', 'Childhood', 'Studies', 'Personal life', 'Career', 'Early career', 'Relocation of Inselspital and call to Prague', 'Aseptic surgery', 'Contributions to Neurosurgery', 'Contributions to Thyroid surgery', 'Telephones', 'Radio and television', 'Radio broadcast stations', 'Television broadcast stations', 'Internet', 'See also', 'In web design', 'Criticism', 'References'], ['Indonesia', 'Ireland', 'Israel', 'Italy', 'Japan', 'Mexico', 'Netherlands', 'New Zealand', 'Pakistan', 'Philippines', 'Categories and types', 'Background', 'See also', 'References'], ['Geography', 'Climate', 'Government', 'Main sights', 'Monuments, museums and religious buildings', 'Cathedral of Santa Maria del Fiore', 'Squares, streets and parks', 'Demographics', 'Economy', 'Industry, commerce and services', 'Computers', 'See also', 'References'], ['Rail transport', 'Maps', 'Cities served by rail', '2006', '2007', 'History', 'Pure and hybrid genres', 'Audience expectations', 'Grouping vs. genre', 'Seeds', 'Resveratrol', 'Health claims', 'French paradox', 'Grape and raisin toxicity in dogs', 'Use in religion', 'Gallery', 'See also', 'Sources', 'Further reading', 'Functions', 'Workplace gossip', 'Various views', 'In early modern England', 'In Judaism', 'In Christianity', 'In Islam', 'In Bahai Faith', 'In psychology', 'Evolutionary view', 'History', 'Backwards compatibility issues', 'Features', 'Small business accounting features', 'Technical design', 'Users', 'Download statistics', 'Project status', 'Animals', 'Mixed and indeterminate gender', 'Gender correspondence between languages', 'Gender in words borrowed from one language to another', 'Gender borrowed from one language to another, influencing the morphology of the target language', 'Useful roles', 'Influence on thought', 'By language', 'Indo-European', 'English', 'California', 'Rocky Mountains', 'Alaska', 'Brooklyn, New York', '20th century', 'Gulf Coast', 'Federal price regulation', 'Technology', 'Environmental Impact', '21st century'], ['Library collections', 'Online editions', 'Terms', 'Metrics', 'Computer-aided design', 'See also', 'Notes', 'References', 'Minor league affiliations', 'Radio and television', 'Mascots', 'Notes', 'References'], ['Surface combatant type', 'Submarine type', 'Patrol combatant type', 'Amphibious warfare type', 'Expeditionary support', 'Combat logistics type', 'Mine warfare type', 'Coastal defense type', 'Mobile logistics type', 'Auxiliary type', 'The open set condition', 'See also', 'References', 'Further reading'], ['Modifications', 'Alternatives', 'Replacement and future', 'Design features', 'Variants', 'Major HMMWV A0/A1/A2 versions', 'M1113 Expanded Capacity Vehicle (ECV)', 'International versions', 'Survivable Combat Tactical Vehicle', 'Operators', 'Writings by Newton', 'See also', 'References', 'Appearances', 'Films', 'Attractions', 'Literature', 'Graphic novels', 'Movie tie-in novelizations', 'Original novels', 'Television', 'Video games', 'Time offsets from UTC', 'Combined date and time representations', 'Durations', 'Time intervals', 'Repeating intervals', 'Truncated representations', 'Usage', 'Commerce', 'RFCs', 'Adoption as national standards', 'China', 'Comoros', 'Guatemala', 'India', 'Indonesia', 'Israel and Palestine', 'Japan', 'Philippines', 'Spain', 'Venezuela', 'Unallocated and unavailable call sign prefixes', 'Allocation table', 'See also', 'Notes', 'References'], ['Transport', 'Roadways', 'Railways', 'Air transport', 'Ports, shipping and lighthouses', 'Energy', 'Communication', 'See also', 'References', 'Further reading', 'Youth', 'His teachers', 'Leadership', 'Death', 'Talmudic narratives', 'His prayers', 'Post-Talmudic narratives', 'Teachings', 'Compilation of the Mishnah', 'Halacha', 'Tributes and legacy', 'In popular culture', 'Awards, nominations, and other honors', 'Filmography', 'Bibliography', 'Documentaries', 'Notes', 'References', 'Further reading', 'Film criticism links', 'Resurrection of the dead', 'The last judgment', 'Notes', 'References'], ['Non-fiction', 'Collaborations', 'With Larry Niven', 'With others', 'Series', 'Other media', 'Anthology (as editor)', 'References'], ['Jones vector', 'Jones matrices', 'Phase retarders', 'Axially rotated elements']]



['Wikipedia: David Abercromby', 'Wikipedia: Davros', 'Wikipedia: School voucher', 'Wikipedia: Transport in Finland', 'Wikipedia: Great man theory', 'Wikipedia: Genetic disorder', 'Wikipedia: G4', 'Wikipedia: George Robert Aberigh-Mackay', "Wikipedia: Hudson's Bay Company", 'Wikipedia: Immanuel Kant', 'Wikipedia: Isa', 'Wikipedia: History of Jamaica', 'Wikipedia: Jack Kerouac', 'Wikipedia: July 29', 'Wikipedia: Barlaam and Josaphat']
[['Literary impact', 'See also', 'Notes', 'References', 'Further reading'], ['Concept', 'Character history', 'Encounters with the Fourth Doctor', 'The Dalek Civil War', 'The Time War and the Reality Bomb', 'Investment', 'Investment climate', 'Response to the global financial crisis', 'Poverty and income distribution', 'Causes of poverty', 'High cost of doing business', 'Corruption', 'Ineffective policies', 'High population growth', 'See also', 'Free movement of people within EFTA and the EU/EEA', 'Dual citizenship', 'General secretaries', 'Other', 'Portugal Fund', 'See also', 'Notes', 'References'], ['Variations', 'See also', 'References'], ['Hazards', 'Incorrect gas mix', 'Fire and toxic cylinder contamination from oxygen reactions', 'History', 'In nature', 'See also', 'References', 'Footnotes'], ['Peak and decline of stock price', "California's deregulation and subsequent energy crisis", 'Former management and corporate governance', 'Products', 'Online marketplace services', 'Broadband services', 'Energy and commodities services', 'Capital and risk management services', 'Commercial and industrial outsourcing services', 'Project development and management services', 'Further contributions to science', 'Legacy', 'Named in his honor', 'Eponyms', 'Honors', 'Works', 'Notes', 'References', 'Further reading'], ['References'], ['Roads', 'History', 'Applications', 'Music', 'Nature', 'Mathematics', 'Sequence properties', 'Relation to the golden ratio', 'Closed-form expression', 'Computation by rounding', 'Scandinavia', 'Singapore', 'South Africa', 'United Kingdom and Ireland', 'Notable personalities', 'Program hosts', 'Correspondents and substitute anchors', 'Regular guests and contributors', 'Former hosts and contributors', 'See also', 'Description', 'Solutions', 'Fluent occlusion solution', 'Predicate completion solution', 'Successor state axioms solution', 'Fluent calculus solution', 'Event calculus solution', 'Tourism', 'Food and wine production', 'Culture', 'Art', 'Language', 'Literature', 'Music', 'Cinema', 'Video games', 'Other Media', 'History', 'Prizes', 'See also', 'References', 'Further reading'], ['Road transport', 'Water transport', 'Seaports and harbours', 'Merchant marine', 'Waterways', 'Air transport', 'Airports - with paved runways', 'Airports - with unpaved runways', 'Pipelines', 'See also', 'Categorization', 'Film and history', 'See also', 'References', 'Further reading'], [], ['Single-gene', 'Autosomal dominant', 'Perception of those who gossip', 'See also', 'References', 'Further reading'], ['Notes', 'References', 'Further reading'], ['Slavic languages', 'Dravidian', 'Other', 'Constructed languages', 'Auxiliary languages', 'Artistic languages', 'See also', 'Notes', 'Bibliography'], ['North Dakota', 'Keystone Pipeline', 'See also', 'References', 'Further reading'], ['Origin', 'Relation to the Xiongnu and other peoples called Huns', 'Name and etymology', 'Physical appearance', 'Genetics', 'History', 'Before Attila', 'Under Attila', 'After Attila', 'Lifestyle and economy', 'Origins', 'Christian hymnody', 'Music and accompaniment', 'Western church', 'Eastern church', 'Development of Christian hymnody', 'American developments', 'Biography', 'Awards and honors', 'Short stories, novelettes and novellas', 'Books', 'About Hal Clement', 'Articles and introductions', 'Notes', 'Airships', 'Support ships', 'Support type', 'Service type craft', 'United States Coast Guard vessels', 'Current USCG cutter classes and types', 'Historic USCG cutter classes and types', 'USCG classification symbols definitions', 'USCG classification symbols for small craft and boats', 'Temporary designations', 'History', 'Diversification', 'Trafficking allegations', 'Illegal arms sales to Mexico', 'Civilian sales', 'HUMVEE C-Series', 'Replicas', 'Similar vehicles', 'See also', 'Notes'], ['Biography', 'Young scholar', 'Early work', 'Character description and formation', 'Origins and inspirations', 'Historical models', 'Costume', 'Casting', 'Cultural impact', 'Archaeological influence', 'Other characters inspired by Jones', 'References'], ['See also', 'Notes and references'], ['Major current non-government level irredentist claims', 'Albania', 'Armenia', 'Ireland', 'Historic, theoretical and minor irredentistic claims', 'Africa', 'East Africa', 'Somalia', 'North Africa', 'Southern Africa', 'Keyboard layouts', 'Reception', 'Standard key meanings', 'From mechanical typewriters', 'From Teletype keyboards', 'Invented for computers with video displays', 'Connection'], ['Pre-Columbian Jamaica', 'The Spanish colonial period (1494–1655)', 'Biblical interpretation', 'Other quotes', 'References'], ['Events', 'Births', 'Ethnic, political and geographic names and terms', 'Other places', 'People', 'Organizations', 'Related names', 'Background: the Buddha', 'The legend', 'Name', 'Feast day', 'Arbitrarily rotated elements', 'Polarization axis from Jones vector', 'See also', 'Notes', 'References', 'Further reading'], []]



['Wikipedia: Telecommunications in Egypt', 'Wikipedia: European Parliament', 'Wikipedia: Erik Satie', 'Wikipedia: Eight queens puzzle', 'Wikipedia: Freeciv', 'Wikipedia: List of freshwater aquarium invertebrate species', 'Wikipedia: Armed Forces of Gabon', 'Wikipedia: Gallon', 'Wikipedia: LGBT social movements', 'Wikipedia: History of physics', 'Wikipedia: Halldór Laxness', 'Wikipedia: History of science', 'Wikipedia: Irreducible fraction', 'Wikipedia: Italian battleship Giulio Cesare', 'Wikipedia: Johannes Agricola', 'Wikipedia: John Macleod (physiologist)', 'Wikipedia: Josip Broz Tito']
[['Works', 'Notes', 'Further reading'], ['Remembering the Twelfth Doctor', 'Other appearances', 'Comic strips', 'Audio plays', 'Novels', 'Short fiction', 'Theatre', 'Unofficial BBC representation', 'List of televised appearances', 'List of appearances in other media', 'Notes', 'References', 'Sources'], ['History', 'Consultative assembly', 'Elected Parliament', 'Parliament pressure on the Commission', 'History', 'Definitions', 'Economics', 'Background', 'Effects', 'Positive effects', 'Negative effects', 'Implementations', 'Colombia', 'Life', 'Early life', 'Montmartre', 'Move to Arcueil', 'EnronOnline', 'Enron International', 'Management', 'Projects', 'India', 'Project summer', 'Enron Global Exploration & Production, Inc.', 'Enron Prize for Distinguished Public Service', "Enron's influence on politics", 'See also', 'History', 'Constructing and counting solutions', 'Solutions', 'Highways', 'Speed limits', 'Vehicles', 'Public transport', 'Accidents', 'Parking', 'Rail transport', 'Railways', 'High-speed rail', 'Trams and light rail', 'Limit of consecutive quotients', 'Decomposition of powers', 'Matrix form', 'Identification', 'Combinatorial identities', 'Symbolic method', 'Other identities', "Cassini's and Catalan's identities", "d'Ocagne's identity", 'Power series', 'References', 'Further reading'], ['Default logic solution', 'Answer set programming solution', 'Separation logic solution', 'Action description languages', 'See also', 'Notes', 'References'], ['Cuisine', 'Research activity', 'Science and discovery', 'Fashion', 'Historical evocations', 'Scoppio del Carro', 'Calcio Storico', 'Sport', 'Education', 'Transportation', 'Crustaceans', 'Shrimp', 'Crayfish', 'Crabs', 'Branchiopods', 'Isopods', 'References'], ['Organizational Structure', 'Overview', 'Assumptions of the Great Man Theory', 'Responses', "Herbert Spencer's criticism", "William James' defence", 'Other responses', 'See also', 'Autosomal recessive ===', 'X-linked dominant', 'X-linked recessive', 'Y-linked', 'Mitochondrial', 'Multifactorial disorder', 'Chromosomal disorder', 'Diagnosis', 'Prognosis', 'Treatment', 'Transport', 'Biology', 'Science and technology', 'Apple Computer', 'Entertainment', 'Organisations', 'See also', 'Family', 'Notes', 'References'], ['Overview', 'History', 'Enlightenment era', 'History', '17th century', '18th century', '19th century', 'North West Company: violent competition and merger', 'Careers', 'Competition', 'Pastoral nomadism', 'Horses and transportation', 'Economic relations with the Romans', 'Connections to the Silk Road', 'Government', 'Society and culture', 'Art and material culture', 'Artificial cranial deformation', 'Languages', 'Marriage and the role of women', 'Hymn meters', 'Sikh hymnody', 'See also', 'References', 'Further reading'], ['References'], ['Early years', 'National Oceanic and Atmospheric Administration hull codes', 'See also', 'Notes', 'Footnotes', 'Citations', 'References', 'Further reading'], ['Early cultures', 'Ancient Near East', 'Egypt', 'Greco-Roman world', 'India', 'China', 'Critique of Pure Reason', 'Later work', 'Death and burial', 'Philosophy', 'Theory of perception', 'Categories of the Faculty of Understanding', 'Transcendental schema doctrine', 'Moral philosophy', 'First formulation', 'Second formulation', 'Examples', 'Uniqueness', 'Applications', 'Places', 'People', 'Brands and enterprises', 'Arts, entertainment, and media', 'Fictional entities', 'Other uses in arts, entertainment, and media', 'Computing', 'Education', 'Finance', 'Government', 'Asia', 'East Asia', 'Korea', 'Mongolia', 'South Asia', 'Bangladesh', 'Iran', 'Nepal', 'Pakistan', 'Western Asia', 'See also', 'Notes'], ['British rule (1655–1962)', '17th century', 'English conquest', 'British colonisation', 'The House of Assembly', "Jamaica's pirates", '18th century', "Jamaica's sugar boom", 'First Maroon War', "Tacky's revolt", 'Biography', 'Early life and adolescence', 'Early adulthood', 'Early career: 1950–1957', 'Later career: 1957–1969', 'Death', 'Style', 'Influences', 'Legacy', 'Works', 'Deaths', 'Holidays and observances', 'References'], ['Biography', 'Frederick Banting and the discovery of insulin', 'Later years', 'Works', 'Awards and honours', 'Nobel Prize', 'Texts', 'Greek manuscripts', 'English manuscripts', 'Editions', 'Arabic', 'Georgian', 'Greek', 'Latin', 'Ethiopic', 'Old French', 'Early life', 'Pre-World War I', 'World War I', 'Interwar communist activity', 'Communist agitator', 'Professional revolutionary']]



['Wikipedia: Deconstruction', 'Wikipedia: Eusebius of Alexandria', 'Wikipedia: Finnish Defence Forces', 'Wikipedia: Frans Eemil Sillanpää', 'Wikipedia: Great Pyramid of Giza', 'Wikipedia: Guanine', 'Wikipedia: Garbage collection (disambiguation)', 'Wikipedia: Habeas corpus', 'Wikipedia: Isomorphism class', 'Wikipedia: International Seabed Authority', 'Wikipedia: Jackson, Mississippi']
[['Overview', 'Influences', 'Influence of Nietzsche', 'Influence of Saussure', 'Deconstruction according to Derrida', 'Etymology', 'Original novels', 'Video games', 'Theatrical productions', 'Other media', 'See also', 'References'], ['Telecommunication in Egypt', 'Press', 'Mail', 'Radio', 'Television', 'Landline telephony', 'Cellular communications', 'Internet', 'Wireless Internet', 'Recent history', 'Powers and functions', 'Legislative procedure', 'Budget', 'Control of the executive', 'Supervisory powers', 'Members', 'Transitional arrangements', 'Salaries and expenses', 'Political groups', 'Chile', 'Europe', 'Ireland', 'Sweden', 'Hong Kong', 'Pakistan', 'School voucher public policy in the United States', 'Proponents', 'Opponents', 'Legal challenges', 'Later life', 'Works', 'Music', 'Writings', 'References', 'Sources'], ['References', 'Bibliography'], ['Data', 'Existence of solutions', 'Counting solutions', 'Related problems', 'Exercise in algorithm design', 'Sample program', 'See also', 'References', 'Further reading'], ['Air transport', 'Water transport', 'See also', 'References'], ['Reciprocal sums', 'Primes and divisibility', 'Divisibility properties', 'Primality testing', 'Fibonacci primes', 'Prime divisors', 'Periodicity modulo n', 'Right triangles', 'Magnitude', 'Generalizations', 'History', 'Reception and impact', 'Design', 'Features', 'Ports and variants', 'Freeciv-web', 'Longturn variants', 'See also', 'References'], ['Early life', 'Career', 'Death', 'Works', 'Films', 'Cars', 'Buses', 'Trams', 'Florence public transport statistics', 'Railway station', 'Airport', 'Mobike (bike-sharing)', 'International relations', 'Twin towns and sister cities', 'Other partnerships', 'Amphipods', 'Copepods', 'Hermit crab', 'Molluscs', 'Gastropods', 'Bivalves', 'Worms', 'Annelids', 'See also', 'References', 'Army', 'Order of battle', 'Air Force', 'Facilities', 'Navy', 'Other security forces', 'National Gendarmerie', 'Republican Guard', 'Equipment', 'Small Arms', 'References'], ['History and description', 'Epidemiology', 'History', 'See also', 'References'], ['All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Definitions', 'English system gallons', 'Imperial gallon', 'US liquid gallon', 'US dry gallon', 'Worldwide usage of gallons', 'Relationship to other units', 'History', 'Emergence of LGBT movement', 'Homophile movement (1945–1969)', 'Gay Liberation movement (1969–1974)', 'LGBT rights movement (1972–present)', '1972–1986', '1987–2000', 'AIDS epidemic', '"The Overhauling of Straight America"', 'Warrenton "War Conference"', '21st century', 'California', "Hudson's Bay Company money", 'End of monopoly', '20th century', 'Department stores and diversification', 'Oil and gas operations', 'Indigenous health', "Response by Hudson's Bay", 'Retail expansion', '21st century', 'Religion', 'Warfare', 'Strategy and tactics', 'Military equipment', 'Legacy', 'In Christian hagiography', 'In Germanic legend', 'Links to the Hungarians', '20th-century use in reference to Germans', 'See also', 'Ancient history', 'Ancient Greece', 'India and China', 'Islamic world', 'Medieval Europe', 'Scientific revolution', 'Nicolaus Copernicus', '1920s', '1930s', '1940s', '1950s', 'Later years', 'Family and legacy', 'Bibliography', 'Novels', 'Stories', 'Plays', 'Etymology', 'Examples', 'Similarly named writs', 'Origins in England', 'Other jurisdictions', 'Post-classical science', 'Byzantine Empire', 'Islamic world', 'Western Europe', 'Age of Enlightenment', 'Romanticism in science', 'Eurocentrism in scientific history', 'Modern science', 'Natural sciences', 'Physics', 'Third formulation', 'Religion within the Bounds of Bare Reason', 'Idea of freedom', 'Categories of freedom', 'Aesthetic philosophy', 'Political philosophy', 'Anthropology', 'Racism', 'Influence', 'Historical influence', 'Generalization', 'See also', 'References'], ['Organizations', 'Science', 'Other uses', 'See also', 'Assyria', 'Azerbaijan', 'Caucasus', 'Iraq', 'Lebanon', 'Syria', 'Turkey', 'United Arab Emirates', 'Yemen', 'Europe', 'Description', 'Armament and armor', 'Modifications and reconstruction', 'Construction and service', 'World War II', 'Soviet service', 'Notes', 'Footnotes', 'References', 'Further reading', 'Second Maroon War', '19th century', 'The Baptist War', 'Emancipation', 'The Morant Bay Rebellion', 'Decline of the sugar industry', 'Jamaica as a Crown Colony', 'Religion', 'Kingston, the new capital', 'Early 20th century', 'Poetry', 'Posthumous editions', 'Discography', 'Studio albums', 'Compilation albums', 'See also', 'References', 'Notes', 'Sources', 'Further reading', 'Biography', 'Early life', 'Controversy', 'Restoration and later life', 'Writings', 'In literature', 'References', 'See also', 'References'], ['Catalan', 'Provencal', 'Italian', 'Portuguese', 'English', 'Old Norse', 'Tibetan', 'See also', 'Notes and references'], ['Prison', 'Flight from Yugoslavia', 'General Secretary of the CPY', 'World War II', 'Resistance in Yugoslavia', 'Aftermath', 'Presidency', 'Tito–Stalin split', 'Non-Alignment', 'Reforms']]



['Wikipedia: Dalek', 'Wikipedia: E. B. White', 'Wikipedia: Elliptic integral', 'Wikipedia: Eusebius of Angers', 'Wikipedia: Enrico Bombieri', 'Wikipedia: Fontainebleau', 'Wikipedia: Fornax', 'Wikipedia: February 27', 'Wikipedia: Quotient group', 'Wikipedia: List of freshwater aquarium plant species', 'Wikipedia: Foreign relations of Gabon', 'Wikipedia: Guitarist', 'Wikipedia: Gini coefficient', 'Wikipedia: Great Victoria Desert', 'Wikipedia: Home Improvement (TV series)', 'Wikipedia: Isomorphism', 'Wikipedia: INS Vikrant (R11)', 'Wikipedia: July 26', 'Wikipedia: July 12', 'Wikipedia: Jaggies']
[['Basic philosophical concerns', 'Différance', 'Metaphysics of presence', 'Deconstruction and dialectics', 'Difficulty of definition', 'Derrida\'s "negative" descriptions', 'Not a method', 'Not a critique', 'Not an analysis', 'Not post-structuralist', 'Creation', 'Entry into popular culture', 'Physical characteristics', 'Prop details', 'Movement', 'Voices', 'Communication companies in Egypt', 'Landline telephony service', 'Cellular communication service', 'Statistics', 'Telephones', 'Telephone system', 'domestic', 'International', 'Radio broadcast stations', 'Radios', 'Grand coalition', 'Elections', 'Proceedings', 'President and organisation', 'Committees and delegations', 'Intergroups', 'Translation and interpretation', 'Annual costs', 'Seat', 'Channels of dialogue, information, and communication with European civil society', 'Political support', "Trump's 2018 FY 2018 Budget", 'Teaching creationism instead of evolution', 'See also', 'References', 'Further reading', 'Argument notation', 'Incomplete elliptic integral of the first kind', 'Notational variants', 'Incomplete elliptic integral of the second kind', 'Incomplete elliptic integral of the third kind', 'Complete elliptic integral of the first kind', 'Biography', 'Works', 'Notes', 'References', 'Career', 'Research', 'Awards', 'Other interests', 'History', 'Civil War', 'Interwar years', 'World War II', 'Cold War', 'Recent history', 'Future', 'Organization', 'See also', 'References', 'Works cited'], ['History', 'Characteristics', 'Features', 'References'], ['Events', 'Notable residents', 'See also', 'Notes', 'References', 'Sources'], ['By scientific name', 'False aquatics or pseudo-aquarium plants', 'Images', 'Armour', 'Current inventory', 'Retired aircraft', 'Naval Equipment', 'Ceremonial traditions', 'References', 'Materials', 'Casing stones', 'Construction theories', 'Interior', "Queen's Chamber", 'Grand Gallery', 'The Big Void', "King's Chamber", 'Modern entrance', 'Pyramid complex', 'Properties', 'History', 'Synthesis', 'Biosynthesis', 'Other occurrences and biological uses', 'See also', 'References'], ['Short description is different from Wikidata', 'Techniques', 'Notable guitarists', 'Sizes of gallons', 'References'], ['Public opinion in the United States', 'See also', 'References', 'Further reading'], ['Zellers stores', 'Lord & Taylor stores', '2012 initial public offering', 'Other chains', '2013 re-branding', 'Purchase of Saks, Inc.', 'Gilt Groupe', 'Considered purchases', 'European operations', 'Hack of confidential data', 'Endnotes', 'Citations', 'References'], ['Galileo Galilei', 'René Descartes', 'Isaac Newton', 'Other achievements', 'Early thermodynamics', '18th-century developments', 'Mechanics', 'Thermodynamics', '19th century', 'Electromagnetism', 'Poetry', 'Travelogues and essays', 'Memoirs', 'Translations', 'Other', 'References'], ['Australia', 'Canada', 'France', 'Germany', 'India', 'Ireland', 'Italy', 'Malaysia', 'New Zealand', 'Pakistan', 'Chemistry', 'Geology', 'Astronomy', 'Biology and medicine', 'Ecology', 'Social sciences', 'Political science', 'Geography', 'Linguistics', 'Economics', 'Influence on modern thinkers', 'Bibliography', 'List of major works', 'Collected works in German', 'External Link: Elektronische Edition der Gesammelten Werke Immanuel Kants. Volumes 1-23.', 'See also', 'Notes', 'References', 'Works cited', 'Further reading', 'References', 'Logarithm and exponential', 'Origin', 'Status', 'Exploration contracts', 'Activities', 'Endowment fund', 'Voluntary commitments', 'Controversy', 'See also', 'References', 'Bulgaria', 'Finland', 'Former Yugoslavia', 'France', 'Germany', 'Greece', 'Hungary', 'Italy', 'North Macedonia', 'Norway', 'History and construction', 'Design and description', 'Service', 'Marcus Garvey', 'Rastafari movement', 'The Great Depression and worker protests', 'New unions and parties', 'Independent Jamaica (1962–present)', '1960s', 'The road to independence', 'Jamaica under Bustamante', 'Reggae', 'Bob Marley', 'Radio documentary series'], ['Events', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'References', 'History', 'Native Americans', 'Founding and antebellum period (to 1860)', 'American Civil War and late 19th century (1861–1900)', 'Early 20th century (1901–1960)', "Jackson's Gold Coast", 'World War II and later development', 'Civil rights movement in Jackson', 'Mid-1960s to present', 'Geography', 'Causes', 'Solutions', 'Notable uses of the term', 'Evaluation', 'Final years', 'Legacy', 'Family and personal life', 'Language and identity dispute', 'Origin of the name "Tito"', 'Awards and decorations', 'Domestic awards', 'Foreign awards', 'See also']]



['Wikipedia: Eusebius', 'Wikipedia: Eos', 'Wikipedia: February 28', 'Wikipedia: Fonni', 'Wikipedia: Gaza Strip', 'Wikipedia: Genocide', 'Wikipedia: Gothic fiction', 'Wikipedia: Harmonic oscillator', 'Wikipedia: History of Indonesia', 'Wikipedia: Industry Standard Architecture', 'Wikipedia: Jeff Mills', 'Wikipedia: Johann Georg Albrechtsberger', 'Wikipedia: Judicial economy', 'Wikipedia: John Stauber']
[['Alternative definitions', 'Application', 'Literary criticism', 'Critique of structuralism', 'Development after Derrida', 'The Yale School', 'Critical legal studies movement', 'Deconstructing History', 'The Inoperative Community', 'The Ethics of Deconstruction', 'Construction', 'Development', 'Fictional history', 'Dalek culture', 'Measurements', 'Licensed appearances', 'Other major appearances', 'Stage plays', 'Concerts', 'Original novels and novellas', 'Television Broadcast Stations', 'Internet Service Providers (ISPs)', 'Internet Hosts', 'People connected to the internet', 'Telephone prefixes', 'See also', 'References'], ['Dialogue with religious and non-confessional organisations', 'European Parliament Mediator for International Parental Child Abduction', 'European Parliamentary Research Service', 'Eurobarometer of the European Parliament', 'Prizes', 'Sakharov Prize', 'European Charlemagne Youth Prize', "European Citizens' Prize", 'LUX Prize', 'See also', 'Life', 'Career', "Children's books", 'Awards and honors', 'Other', 'Bibliography', 'Books', 'Relation to Jacobi theta function', 'Asymptotic expressions', 'Differential equation', 'Complete elliptic integral of the second kind', 'Computation', 'Derivative and differential equation', 'Complete elliptic integral of the third kind', 'Partial derivatives', 'Functional relations', 'See also', 'References', 'See also', 'Notes', 'References'], ['Military service', 'Military ranks', 'Equipment', 'Peacekeeping operations', 'Total defence', 'Key wartime units', 'Army', 'Navy', 'Air Force', 'Gallery', 'History', 'Tourism', 'Fontainebleau forest', 'Royal Château de Fontainebleau', 'INSEAD', 'Other notables', 'Transport', 'Hospital', 'Notable people', 'Stars', 'Deep-sky objects', 'Equivalents', 'See also', 'Notes', 'References', 'Cited texts'], ['Births', 'Deaths', 'Holidays and observances', 'References'], ['Definition and illustration', 'Definition', 'Example: Addition modulo 6', 'Motivation for the name "quotient"', 'Examples', 'Even and odd integers', 'Remainders of integer division', 'Photos', 'Illustration', 'References', 'See also', 'Bilateral relations', 'See also', 'References', 'Boats', 'Looting', 'See also', 'Notes', 'References', 'Bibliography', 'Further reading'], ['Origin of the term', 'As a crime', 'International law', 'Rock, heavy metal, jazz and country', 'Other genres', 'References'], ['History', 'Definition', 'Calculation', 'Example: two levels of income', 'Alternate expressions', 'Discrete probability distribution', 'Continuous probability distribution', 'Other approaches', 'Generalized inequality indices', 'Of income distributions', 'Location and description', 'Habitation', 'History', 'Flora', 'Fauna', 'Conservation and threats', 'See also'], ['Moving forward', 'Operations', 'Olympic outfitter', 'Archives', 'Corporate governance', 'Corporate hierarchy', 'Governors', 'Miscellany', 'Rent obligation under charter', 'HBC explorers, builders, and associates', 'Show background', 'Episodes', 'Plot details and storylines', 'Taylor family', 'Tool Time', 'Characters', 'Main', 'Recurring', 'Special guests and cameos', 'Laws of thermodynamics', 'Statistical mechanics (a fundamentally new approach to science)', 'Other developments', '20th century: birth of modern physics', 'Radiation experiments', "Albert Einstein's theory of relativity", 'Special relativity', 'General relativity', 'Quantum mechanics', 'Contemporary and particle physics', 'Simple harmonic oscillator', 'Damped harmonic oscillator', 'Driven harmonic oscillators', 'Step input', 'Sinusoidal driving force', 'Parametric oscillators', 'The Philippines', 'Scotland', 'Spain', 'United States', 'Equivalent remedies', 'Biscay', 'Crown of Aragon', 'Poland', 'Roman-Dutch law', 'World habeas corpus', 'Psychology', 'Sociology', 'Anthropology', 'Emerging disciplines', 'Academic study', 'Theories and sociology of the history of science', 'Plight of many scientific innovators', 'See also', 'References', 'Sources'], ['Prehistory', 'Hindu-Buddhist civilisations', 'Integers modulo 6', 'Relation-preserving isomorphism', 'Applications', 'Category theoretic view', 'Isomorphism vs. bijective morphism', 'Relation with equality', 'See also', 'Notes', 'References', 'Further reading'], ['History', 'ISA bus architecture', 'Poland', 'Portugal', 'Romania', 'Russia', 'Serbia', 'North America', 'Mexico', 'Border disputes and state expansionism loosely related to irredentist claims', 'Afghanistan', 'See also', 'Indo-Pakistani War of 1971', 'Later years', 'Squadrons embarked', 'Museum ship', 'Scrapping', 'Legacy', 'In popular culture', 'See also', 'Footnotes', 'Citations', '1970s and 1980s', 'Michael Manley', 'One Love Peace Concert', 'Edward Seaga', 'Hurricane Gilbert', "Birth of Jamaica's film industry", '1990s and 2000s', '18 years of PNP rule', 'Economic challenges', '2007 Cricket World Cup and 2008 Olympics', 'Births', 'Deaths', 'Holidays and observances', 'References'], [], ['Biography', 'Compositions', 'Major highways', 'Geology', 'Climate', 'Demographics', 'Transportation', 'Air travel', 'Ground transportation', 'Interstate highways', 'U.S. highways', 'State highways', 'References', 'See also', 'Threshold issue in a given case', 'Notes', 'Footnotes', 'Bibliography', 'Further reading'], []]



['Wikipedia: Transport in Egypt', 'Wikipedia: European Council', 'Wikipedia: Evangelist (Latter Day Saints)', 'Wikipedia: Epistle to the Romans', 'Wikipedia: Foreign relations of Finland', 'Wikipedia: Fighter aircraft', 'Wikipedia: Francesco Borromini', 'Wikipedia: Fasces', 'Wikipedia: GURPS', 'Wikipedia: GNU Lesser General Public License', 'Wikipedia: Hydrogen peroxide', 'Wikipedia: Intergovernmental organization', 'Wikipedia: Inuit languages', 'Wikipedia: Western imperialism in Asia', 'Wikipedia: John Alden', 'Wikipedia: Jury instructions', 'Wikipedia: James P. Hogan (writer)']
[['Derrida and the Political', 'Criticisms', 'John Searle', 'Jürgen Habermas', 'Walter A. Davis', 'In popular media', 'See also', 'References', 'Further reading'], ['Other appearances', 'Non–Doctor Who television and film', 'Comic books', 'Music', 'Video games', 'Politics', 'Magazine covers', 'Parodies', 'Merchandising', 'Toys and models', 'Road system', 'Railways', 'Waterways', 'Pipelines', 'Ports', 'References', 'Further reading'], ['Essays and reporting', 'References'], ['References'], ['General presentation', 'Sources', 'Early life', 'Bishop of Caesarea', 'Death', 'Works', 'Onomasticon', 'Biblical text criticism', 'Chronicle', 'Church History', 'Life of Constantine', 'Etymology', 'Family', 'Mythology', 'Goddess of the dawn', 'Homer', 'Hesiod', 'Divine horses', 'Lovers and children', 'Cult and temples', 'See also', 'References', 'Bibliography'], ['Twinning', 'Image gallery', 'See also', 'Bibliography', 'References'], ['Early life and first works', 'Major works', 'San Carlo alle Quattro Fontane (San Carlino)', 'Oratory of Saint Phillip Neri (Oratorio dei Filippini)', "Sant'Ivo alla Sapienza", 'Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['Complex integer roots of 1', 'The real numbers modulo the integers', 'Matrices of real numbers', 'Integer modular arithmetic', 'Integer multiplication', 'Properties', 'Quotients of Lie groups', 'See also', 'Notes', 'References', 'Etymology', 'Culture', 'Neighborhoods', 'References', 'History', 'Prior to 1923', '1923–1948 British Mandate', '1948 All-Palestine government', '1959–1967 Egyptian occupation', '1967 Israeli occupation', '1979 Egypt–Israel Peace Treaty', 'History', 'Prior RPG history', 'The GURPS concept', 'GURPS history', 'Mechanics of the game', 'Genocidal intent', '"Intent to destroy"', '"In whole or in part"', '"A national, ethnic, racial or religious group"', 'Genocidal acts', 'Killing members of the group', 'Causing serious bodily or mental harm to members of the group Article II(b)', 'Deliberately inflicting on the group conditions of life calculated to bring about its physical destruction', 'Imposing measures intended to prevent births within the group', 'Forcibly transferring children of the group to another group', 'Early Gothic romances', 'Horace Walpole', 'Clara Reeve', 'Ann Radcliffe', 'Translation as a framing device', 'Developments in continental Europe', 'Matthew Lewis', 'German Gothic Fiction', 'Russian Gothic Fiction', 'Regional income Gini indices', 'World income Gini index since 1800s', 'Of social development', 'Education', 'Opportunity', 'Income mobility', 'Features', 'Countries by Gini index', 'Limitations', 'Alternatives', 'References', 'Notes', 'History', 'HBC sternwheelers and steamships', 'Rivals', 'See also', 'References', 'Bibliography', 'Further reading'], ['Production', 'Development and early recasts', 'Casting changes', 'Pamela Anderson', 'Departure of Jonathan Taylor Thomas', 'End of series', 'Theme music', 'Michigan college and university apparel', 'Syndication', 'Home media', 'Quantum field theory', 'Unified field theories', 'Standard Model', 'Cosmology', 'Higgs boson', 'Physical sciences', 'Seminal physics publications', 'See also', 'Notes', 'References', 'Universal oscillator equation', 'Transient solution', 'Steady-state solution', 'Amplitude part', 'Phase part', 'Full solution', 'Equivalent systems', 'Application to a conservative force', 'Examples', 'Simple pendulum', 'International human rights standards', 'See also', 'Notes and references', 'Footnotes', 'References', 'Further reading'], ['Further reading'], ['Properties', 'Early kingdoms', 'Medang', 'Srivijaya', 'Singhasari and Majapahit', 'The age of Islamic states', 'The spread of Islam', 'Sultanate of Mataram', 'The Sultanate of Banten', 'Colonial era', 'The Portuguese'], ['Types and purpose', 'History', 'Number of devices', 'Varying bus speeds', '8/16-bit incompatibilities', 'Past and current use', 'ATA', 'XT-IDE', 'PCMCIA', 'Emulation by embedded chips', 'Standardization', 'Modern ISA cards', 'References', 'Further reading'], ['References'], ['Early European exploration of Asia', 'Dancehall goes global', '2010s', 'Tivoli Incursion', '2011 election', 'Economic troubles continue', 'See also', 'Notes', 'Further reading'], ['Career', 'Early career and radio DJ', 'Underground Resistance', 'Solo work and independent labels', 'Film, soundtracks, and documentary', 'Music style', 'Art exhibits', 'Discography', 'References', 'Sources'], ['Other roads', 'Bus service', 'Railroads', 'Modal characteristics', 'Industry', 'Publicly traded companies', 'Private corporations', 'Cooperative enterprises', 'Crime', 'Religion', 'Class action lawsuits', 'Notes'], ['References'], []]



['Wikipedia: Direct product', 'Wikipedia: Davy Jones (musician)', 'Wikipedia: Flambards', 'Wikipedia: Fundamental theorem on homomorphisms', 'Wikipedia: GCHQ', 'Wikipedia: Hoplite', 'Wikipedia: Hydrofoil', 'Wikipedia: Prince Henry the Navigator', 'Wikipedia: Intergovernmental Panel on Climate Change', 'Wikipedia: Geography of Jamaica', 'Wikipedia: John Major']
[['Examples', 'Group direct product', 'Direct product of modules', 'Full-size reproductions', 'See also', 'References', 'Bibliography'], ['Commercial Ports', 'Merchant marine', 'Airports', 'Airports with paved runways', 'Airports with unpaved runways', 'Heliports', 'Monorail', 'See also'], ['References', 'Scope', 'History', 'Powers and functions', 'Composition', 'Eurozone summits', 'President', 'Members', 'Political alliances', 'Members timeline', 'Seat and meetings', 'Early Latter Day Saint movement', 'Community of Christ', 'The Church of Jesus Christ (Bickertonite)', 'Quorum of Seventy Evangelists', 'The Church of Jesus Christ of Latter-day Saints', 'Notes', 'References', 'Authorship and dating', 'Textual variants', 'Fourteen-chapter form', 'Fifteen-chapter form', 'Subscript', "Paul's life in relation to his epistle", 'The churches in Rome', 'Style', 'Purposes of writing', 'Contents', 'Conversion of Constantine according to Eusebius', 'Minor historical works', 'Apologetic and dogmatic works', 'Exegetical and miscellaneous works', 'Doctrine', 'Nicene Creed', 'Assessment', 'Bibliography', 'See also', 'Notes', 'Interpretations', 'Etruscan', 'Roman', 'See also', 'Notes', 'References', 'Further reading'], ['History', '2000 constitution', 'Multilateral relations', 'Diplomatic relations list', 'Africa', 'Americas', 'Asia', 'Europe', 'Oceania', 'Classification', 'Air superiority fighter', 'Interceptor', 'Night and all-weather fighters', 'Strategic fighters', 'Historical overview', 'Piston engine fighters', "Sant'Agnese in Agone", 'The Re Magi Chapel of the Propaganda Fide', 'Other works', 'Death and epitaph', 'Honours', 'Notes'], ['Novel summary', 'Series', 'See also', 'Notes', 'References', 'Group theoretic version', 'Other versions', 'See also', 'Origin and symbolism', 'Republican Rome', 'Usage', 'France', 'United States', 'Federal fasces iconography', 'State, local and other fasces iconography', 'Examples of US fasces iconography', '1994: Gaza under Palestinian Authority', '2000 Second Intifada', "2005 Israel's unilateral disengagement", 'Post-2006 elections violence', '2007 Hamas takeover', 'Egyptian border barrier breach', '2008 Gaza War', 'A 2014 unity government with Fatah', '2014 Israel–Gaza conflict', 'Connections to Sinai insurgency', 'Character points', 'Attributes', 'Character advantages and disadvantages', 'Skills', 'Success rolls', 'Combat', 'Damage and defenses', 'Advancement', 'Licensed works', 'Reception', 'Convention on the Prevention and Punishment of the Crime of Genocide (CPPCG) coming into force', 'UN Security Council on genocide', 'Municipal law', 'Criticisms of the CPPCG and other definitions of genocide', 'International prosecution of genocide', 'By ad hoc tribunals', 'Nuremberg Tribunal (1945–1946)', 'International Criminal Tribunal for the Former Yugoslavia (1993–2017)', 'International Criminal Tribunal for Rwanda (1994 to present)', 'Extraordinary Chambers in the Courts of Cambodia (2003 to present)', 'Romantics', 'Victorian Gothic', 'Irish Gothic', 'Precursors', 'Mysterious imagination', 'Medievalism', 'Macabre and morbid', 'Emotional aesthetic', 'Political influences', 'Parody', 'Relation to other statistical measures', 'Other uses', 'See also', 'References', 'Further reading'], ['Differences from the GPL', 'Compatibility', 'LGPL for libraries', 'Programming language specifications', 'Class inheritance', 'See also', 'References'], ['Warfare', 'Equipment', 'Body armour', 'Shield', 'Spear', 'Sword', 'DVD notes', 'Reception', 'Nielsen ratings', 'Awards, nominations, and other reception', 'Post-series events', 'Notes', 'References'], ['Sources', 'Further reading'], ['Spring/mass system', 'Energy variation in the spring–damping system', 'Definition of terms', 'See also', 'Notes', 'References'], ['Life', 'Resources and income', 'Vila do Infante and Portuguese exploration', "Henry's explorations", 'Madeira', 'The Azores', 'Structure', 'Aqueous solutions', 'Comparison with analogues', 'Discovery', 'Production', 'Other sources', 'Availability', 'Reactions', 'Decomposition', 'Redox reactions', 'Dutch East-India Company', 'French and British interlude', 'Dutch state rule', 'The emergence of Indonesia', 'Indonesian National Awakening', 'Japanese occupation', 'Indonesian National Revolution', "Sukarno's presidency", 'Democratic experiment', 'Guided Democracy', 'Expansion and growth', 'Participation and involvement', 'Privileges and immunities', 'Strengths and weaknesses', 'See also', 'References', 'Further reading'], ['See also', 'References', 'Further reading'], ['Nomenclature', 'Classification and history', 'Geographic distribution and variants', 'Alaska', 'Canada', 'Greenland', 'Phonology and phonetics', 'Morphology and syntax', 'Vocabulary', 'Toponymy and names', 'Medieval European exploration of Asia', 'Oceanic voyages to Asia', 'Portuguese and Spanish trade and colonization in Asia', 'Portuguese monopoly over trade in the Indian Ocean and Asia', "Decline of Portugal's Asian empire since the 17th century", 'Holy wars', 'Dutch trade and colonization in Asia', 'Rise of Dutch control over Asian trade in the 17th century', 'Dutch New Imperialism in Asia', 'British in India', 'Geology and landforms', 'Coasts', 'Climate', 'Vegetation and wildlife', 'Studio albums', 'Extended plays', 'Filmography', 'References'], ['English origins', 'Voyage of the Mayflower', 'Establishing Plymouth Colony', 'Marriage to Priscilla Mullins', 'Service to Plymouth Colony', 'Settlement of Duxbury', 'Family', 'Final days and legacy', 'Notes', 'References', 'Cultural organizations and institutions', 'Government and infrastructure', 'Municipal government', 'County government', 'State government', 'Federal representation', 'Infrastructure issues', 'Education', 'Colleges and universities', 'Primary and secondary schools', 'Description', 'Use', 'United States', 'Comprehending jury instructions', 'Jury nullification instructions', 'United Kingdom', 'References'], ['Biography', 'Controversy', 'Bibliography', 'Novels', 'Short stories', 'Short story collections and fixups', 'Omnibus editions', 'Non-fiction', 'References']]



['Wikipedia: Egyptian Armed Forces', 'Wikipedia: Euthanasia', 'Wikipedia: Elegiac couplet', 'Wikipedia: Empiricism', 'Wikipedia: Eduardo Blasco Ferrer', 'Wikipedia: Telecommunications in France', 'Wikipedia: Federal Bureau of Investigation', 'Wikipedia: Father Ted', 'Wikipedia: FCO', 'Wikipedia: Fast combat support ship', 'Wikipedia: Government', 'Wikipedia: Gosford', 'Wikipedia: Roman Britain', 'Wikipedia: Heathers', 'Wikipedia: International Telecommunication Union', 'Wikipedia: Demographics of Jamaica', 'Wikipedia: Japanese cuisine', 'Wikipedia: Jurisprudence', 'Wikipedia: Jeff Lynne']
[['Topological space direct product', 'Direct product of binary relations', 'Direct product in universal algebra', 'Categorical product', 'Internal and external direct product', 'Metric and norm', 'See also', 'Notes', 'References', 'Early life', 'Early acting and recording career', 'The Monkees', 'Post-Monkees career', 'Dolenz, Jones, Boyce & Hart', 'Further stage and screen appearances', 'Later recording career', 'Personal life', 'History', 'Structure', 'Army', 'Role in security and defence', 'See also', 'References', 'Further reading'], ['Greek origins', 'Roman elegy', 'Elegy in the Augustan Age', 'Post-Augustan writers', 'Medieval elegy', 'Renaissance and modern period', 'Prologue (1:1–15)', 'Greeting (1:1–7)', 'Prayer of Thanksgiving (1:8–15)', 'Salvation in the Christ (1:16 –8:39)', 'Righteousness of God (1:16–17)', 'Condemnation: The Universal corruption of Gentiles and Jews (1:18 –3:20)', 'The judgment of God (1:18–32)', "Paul's warning of hypocrites (2:1–4)", 'Justification: The Gift of Grace and Forgiveness through Faith (3:21 –5:11)', 'Assurance of salvation (5 –11)', 'References', 'Citations', 'Further reading'], ['Books', 'References', 'International organization participation', 'See also', 'References'], ['World War I', 'Inter-war period (1919–38)', 'World War II', 'European theater', 'Pacific theater', 'Technological innovations', 'Post–World War II period', 'Rocket-powered fighters', 'Jet-powered fighters', 'First-generation subsonic jet fighters (mid-1940s to mid-1950s)', 'Budget, mission, and priorities', 'History', 'Background', 'Creation of BOI', 'Creation of FBI', 'J. Edgar Hoover as FBI Director'], ['Synopsis', 'Episodes', 'References', 'All article disambiguation pages', 'All disambiguation pages', 'Modern authorities and movements', 'See also', 'References'], ['2018 Israel–Gaza conflict', 'Governance', 'Hamas government', 'Security', 'Status', 'Legality of Hamas rule', 'Occupation', 'Statehood', 'Control over airspace', 'Buffer zone', 'See also', 'References'], ['By the International Criminal Court', 'Darfur, Sudan', 'Genocide in history', 'Stages of genocide, influences leading to genocide, and efforts to prevent it', 'See also', 'Research', 'References', 'Further reading', 'Articles', 'Books', 'Contemporary Gothic', 'Pulp', 'Modernist Gothic', 'Southern Gothic', 'New Gothic Romances', 'In education', 'Other media', 'Elements of Gothic fiction', 'Role of architecture and setting in the Gothic novel', 'The female Gothic and The Supernatural Explained', 'Structure', 'History', 'Government Code and Cypher School (GC&CS)', 'Post Second World War', 'Trade union disputes', 'Post Cold War', '1990s: Post-Cold War restructuring', 'History', 'Demographics', 'Geography', 'Climate', 'Central Business District', 'Theories on the transition to fighting in the phalanx', 'Gradualist theory', 'Rapid adoption theory', 'Extended gradualist theory', 'History', 'Ancient Greece', 'Sparta', 'Macedonia', 'Hoplite-style warfare outside Greece', 'Hellenistic period', 'History', 'Early contact', 'Roman invasion', 'Roman rule is established', 'Occupation and retreat from southern Scotland', 'Description', 'Hydrodynamic mechanics', 'Foil configurations', 'History', 'Prototypes', 'First passenger boats', 'Military usage', 'Sailing and sports', 'Modern passenger boats', 'Current operation', 'Plot', 'Cast', 'Production', 'Development', 'Casting', 'Filming', 'West African coast', 'Origin of the "Navigator" nickname', 'Fiction', 'Ancestry', 'See also', 'Footnotes', 'Sources', 'Organic reactions', 'Precursor to other peroxide compounds', 'Biological function', 'Uses', 'Bleaching', 'Production of organic compounds', 'Disinfectant', 'Niche uses', 'Safety', 'Adverse effects on wounds', "Sukarno's revolution and nationalism", 'The New Order', 'Transition to the New Order', 'Entrenchment of the New Order', 'Annexation of West Irian', 'Annexation of East Timor', 'Transmigration', 'Reform Era', 'Pro-democracy movement', "Economic crisis and Suharto's resignation", 'History', 'ITU Sectors', 'Legal framework', 'Governance', 'Plenipotentiary Conference', 'Origins and aims', 'Organization', 'Assessment reports', 'Scope and preparation of the reports', 'Authors', 'First assessment report', 'Supplementary report of 1992', 'Second assessment report', 'Third assessment report', 'Disc numbers and Project Surname', 'Words for snow', 'Numbers', 'Writing', 'Canadian syllabics', 'See also', 'References'], ['Dictionaries and lexica', 'Webpages', 'Portuguese, French, and British competition in India (1600–1763)', 'Collapse of Mughal India', 'From Company to Crown', 'Rise of Indian nationalism', 'France in Indochina', 'Russia and "The Great Game"', 'Western European and Russian intrusions into China', 'U.S. imperialism in Asia', 'World War I: Changes in Imperialism', 'Japan', 'Extreme Points', 'See also', 'References', 'Early life and education (1943–1959)', 'Early post-school career (1959–1979)', 'Early Parliamentary career (1979–1987)', 'In Cabinet (1987–1990)', 'Chief Secretary to the Treasury (June 1987 – July 1989)', 'Foreign Secretary (July–October 1989)', 'Chancellor of the Exchequer (October 1989 – November 1990)', 'Conservative Party leadership contest (November 1990)'], ['Terminology', 'Overview of traditional Japanese cuisine', 'Public schools', 'Private schools', 'Media', 'Newspapers', 'Daily', 'Weekly', 'Historic', 'Publishing', 'Television', 'FM radio', 'Etymology', 'History', 'Natural law', 'Aristotle', 'Thomas Aquinas'], ['Musical career', 'Early life and career']]



['Wikipedia: Déjà vu', 'Wikipedia: Exabyte', 'Wikipedia: Elba', 'Wikipedia: Fermion', 'Wikipedia: FASA', 'Wikipedia: George Clinton', 'Wikipedia: Gospel', 'Wikipedia: History of Spain', 'Wikipedia: Henri Chopin', 'Wikipedia: Human cloning', 'Wikipedia: Hesychasm', 'Wikipedia: Ibn Battuta']
[['Medical disorders', 'Pharmacology', 'Explanations', 'Split perception explanation', 'Family life', 'Horse racing', 'Death', 'Reaction', 'Filmography', 'Discography', 'Albums', 'Singles', 'Lead Vocals with The Monkees', 'Books', 'Air Force', 'Air Defense Forces', 'Navy', 'Other agencies', 'Military equipment and industry', 'Military schools', 'See also', 'References', 'Further reading'], ['Definition', 'Classification', 'Voluntary euthanasia', 'Non-voluntary euthanasia', 'Involuntary euthanasia', 'Passive and active euthanasia', 'History', 'Early modern period', 'See also', 'References'], ['Transformation of believers (12 –15:13)', 'Obedience to earthly powers (13:1–7)', 'Epilogue (15:1 –16:23)', "Paul's ministry and travel plans (16:14–27)", 'Hermeneutics', 'Catholic interpretation', 'Protestant interpretation', 'See also', 'Notes', 'References', 'Etymology', 'History', 'Background', 'Early empiricism', 'Between 600 and 200 BCE', 'c. 330 – 400 BCE', 'Islamic Golden Age and Pre-Renaissance (5th to 15th centuries CE)', 'Renaissance Italy', 'British empiricism', 'Geography', 'Geology', 'Hydrography', 'Climate', 'History', 'Early history', 'Fixed-line telephony', 'International connection', 'Radio', 'Television', 'Internet', 'Mobile networks', 'Republic of France', 'See also', 'References', 'Second-generation jet fighters (mid-1950s to early 1960s)', 'Third-generation jet fighters (early 1960s to circa 1970)', 'Fourth-generation jet fighters (circa 1970 to mid-1990s)', '4.5-generation jet fighters (1990s to 2000s)', 'Fifth-generation jet fighters (2005 to the present)', 'Sixth-generation jet fighters', 'Fighter weapons', 'See also', 'References', 'Citations', 'National security', 'Japanese American internment', 'Sex deviates program', 'Civil rights movement', "Kennedy's assassination", 'Organized crime', 'Special FBI teams', 'Notable efforts in the 1990s', 'September 11 attacks', 'Faulty bullet analysis', 'Production', 'Writing', 'Recording', 'Music', 'Location', 'Comedy style', 'Reception', 'Derivatives', 'Roles reprised', 'Potential remakes', 'Articles containing Spanish-language text', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'List of Fast Combat Support Ships', 'References', 'See also', 'Gaza blockade', 'Movement of people', 'Economy', 'After Oslo (1994–2007)', 'Following Hamas takeover (2007–present)', '2012 fuel crisis', 'Current budget', 'Geography and climate', 'Natural resources', 'Demographics', 'Definitions and etymology', 'History', 'Political science', 'Classification', 'Social-political ambiguity', 'Dialectical forms', 'Forms', 'Autocracy', 'Aristocracy', 'Democracy'], ['Documents', 'Research institutes, advocacy groups, and other organizations', 'Gothic subgenres: the "ecoGothic"', 'See also', 'Notes', 'References'], ['2000s: Coping with the Internet', '2010s', 'Security mission', 'LCSA', 'CESG', 'Public key encryption', 'NCSC', 'Joint Technical Language Service', 'International relationships', 'Legal basis', 'Economy and infrastructure', 'Facilities', 'Media', 'Transport', 'Education', 'Notable people', 'Sister cities and twin towns', 'See also', 'References'], ['References'], ['Prehistory', '3rd century', "Diocletian's reforms", '4th century', 'End of Roman rule', 'Sub-Roman Britain', 'Trade', 'Economy', 'Demographics', 'Town and country', 'Religion', 'Discontinued operations', 'Disadvantages', 'See also', 'References'], ['Soundtrack', 'Release', 'Critical reception and box office failure', 'Cult success and subsequent home media', 'Critical response and impact on pop culture', 'Related projects', 'Possible film sequel', 'Musical', 'Television adaptation', 'References', 'History', 'Methods', 'Somatic cell nuclear transfer (SCNT)', 'Induced pluripotent stem cells (iPSCs)', 'Comparing SCNT to reprogramming', 'Uses, actual and potential', 'Use in alternative medicine', 'Historical incidents', 'See also', 'References'], ['May 1998 riots of Indonesia', 'Politics since 1999', 'Terrorism', 'Tsunami disaster and Aceh peace deal', 'Forest and plantation fires', 'See also', 'Further reading', 'References', 'Bibliography', 'Council', 'Secretariat', 'Secretary-General', 'Directors and Secretaries-General of ITU', 'Membership', 'Member states', 'Sector members', 'Administrative regions', 'Regional offices', 'World Summit on the Information Society', 'Comments on the TAR', 'Fourth assessment report', 'Response to AR4', 'Fifth assessment report', 'Representative Concentration Pathways', 'Sixth assessment report', 'Special reports', 'Special Report on Emissions Scenarios (SRES)', 'Comments on the SRES', 'Special report on renewable energy sources and climate change mitigation (SRREN)', 'Unicode support', 'Life', 'Early life', 'After World War II', 'Decolonisation and the rise of nationalism in Asia', 'British in India and the Middle East', 'United States in Asia', 'Post-war resistance to French rule', 'List of European colonies in Asia', 'Independent states', 'Notes', 'References', 'Further reading', 'Population', 'Structure of the population', 'Vital statistics', 'Life expectancy at birth', 'CIA World Factbook', 'Languages', 'Religion', 'Ethnic groups', 'Population growth rate', 'Net migration rate', 'Prime Minister (1990–1997)', 'Domestic', 'Immediate changes in 1990', "Citizen's Charter", '1992 general election', 'Economy', "'Black Wednesday'", 'Privatisation of coal', 'Privatisation of British Rail', 'Crime', 'History', 'Seasonality', 'Traditional ingredients', 'Meat consumption', 'Cooking oil', 'Seasonings', 'Dishes', 'Salads', 'Cooking techniques', 'List of dishes', 'AM radio', 'Points of interest', 'Museums and historic sites', 'Historic marker', 'Parks', 'Rivers', 'Downtown Jackson renaissance', 'Tallest buildings', 'Honors', 'Sports', 'School of Salamanca', 'Lon Fuller', 'John Finnis', 'Analytic jurisprudence', 'Historical school', 'Sociological jurisprudence', 'Legal positivism', 'Thomas Hobbes', 'Bentham and Austin', 'Hans Kelsen', '1970–86: The Move and ELO', '1987–91: Traveling Wilburys', '1990s–2000s', '2010s', 'Personal life', 'Awards and honours', 'Solo discography', 'Studio albums', 'Compilation albums', 'Singles']]



['Wikipedia: Discharge', 'Wikipedia: Foreign relations of Egypt', 'Wikipedia: Era', 'Wikipedia: Eleanor of Aquitaine', 'Wikipedia: Transport in France', 'Wikipedia: February 25', 'Wikipedia: Fred Savage', 'Wikipedia: Germanic peoples', 'Wikipedia: Gordon Brown', 'Wikipedia: Federation of Expellees', 'Wikipedia: Geography of Indonesia', 'Wikipedia: Internet Message Access Protocol', 'Wikipedia: Entropy (information theory)']
[['Memory-based explanation', 'Dream-based explanation', 'Related terms', 'Jamais vu', 'Déjà vécu', 'Presque vu', 'Déjà  rêvé', 'Déjà entendu', 'Déjà vous', 'See also', 'References'], ['Expel or let go', 'Bilateral relations', 'Arab relations', 'Israeli–Palestinian conflict', 'Beginnings of the contemporary euthanasia debate', 'Early euthanasia movement in the United States', '1930s in Britain', 'Nazi Euthanasia Program', '1949 New York State Petition for Euthanasia and Catholic opposition', 'Debate', 'Legal status', "Health professionals' sentiment", 'Religious views', 'Christianity', 'Usage examples and size comparisons', 'All words ever spoken', 'Library of Congress', 'Google', 'See also', 'References'], ['Early life', 'Inheritance', 'Phenomenalism', 'Logical empiricism', 'Pragmatism', 'See also', 'Endnotes', 'References'], ['Middle Ages and early modern', 'Late modern and contemporary', 'Transportation', 'Cycling', 'Gallery', 'See also', 'References', 'Further reading'], [], ['History', 'Railways', 'Bibliography'], ['Events', 'Organization', 'Organizational structure', 'Rank structure', 'Legal authority', 'Indian reservations', 'Infrastructure', 'Personnel', 'Hiring process', 'BOI and FBI directors', 'Firearms', 'Musical', 'Home video', 'United States', 'United Kingdom and Ireland', 'Australia', 'References', 'Further reading'], ['Elementary fermions', 'Composite fermions', 'Skyrmions', 'See also', 'Notes', 'History', 'Current status and intellectual property', 'Notable games', 'Role-playing games', 'Board games', 'Miniature games', 'Video games', 'References'], ['Religion and culture', 'Religious compliance of population to Islam', 'Islamic law in Gaza', 'Islamic politics', 'Salafism', 'Violence against Christians', 'Archaeology', 'Education', 'Health', 'Statistics', 'Republics', 'Federalism', 'Economic systems', 'Maps', 'See also', 'Principles', 'Autonomy', 'Notes', 'References'], ['Music', 'Politics', 'Other people', 'See also', 'Canonical gospels', 'Contents', 'Composition and authorship', 'Sources', 'Genre and historical reliability', 'Textual history and canonisation', 'Non-canonical gospels', 'See also', 'Oversight', 'Abuses', 'Surveillance of parliamentarians', 'Constitutional legal case', 'Leadership', 'Stations and former stations', 'GCHQ Certified Training', 'In popular culture', 'See also', 'Notes and references', 'Early life', 'Education', 'Career before Parliament', 'Early history of the Iberian Peninsula', 'Roman Hispania (2nd century BCE – 5th century CE)', 'Gothic Hispania (5th–8th centuries)', 'Visigothic rule', 'Goldsmithery in Visigothic Hispania', 'The architecture of Visigothic Hispania', 'Religion', 'Islamic al-Andalus and the Christian Reconquest (8th–15th centuries)', 'Warfare between Muslims and Christians', 'The Spanish language and universities', 'Pagan', 'Christianity', 'Environmental changes', 'Legacy', 'See also', 'References', 'Further reading', 'Iron Age background', 'General works on Roman Britain', 'Historical sources and inscriptions', 'Life', 'Aesthetics', 'Books', 'Films on Henri Chopin', 'References', 'Further reading'], ['Listening'], ['Historical background', 'Charter of the German Expellees', 'Ethical implications', 'Current law', 'Argentina', 'Australia', 'Canada', 'Colombia', 'Council of Europe', 'European Union', 'India', 'Pakistan', 'Etymology', 'Meaning', 'Usage', 'History of the term', 'Origins', 'Platonism', 'Jewish Merkabah mysticism', 'Gospel-interpretation', 'Overview', 'Geology', 'Tectonism and volcanism', 'Ecology', 'World Conference on International Telecommunications 2012 (WCIT-12)', 'Changes to international telecommunication regulations', 'Proposed changes to the treaty and concerns', 'WCIT-12 conference participation', 'See also', 'References', 'Special Report on managing the risks of extreme events and disasters to advance climate change adaptation (SREX)', 'Special Report on Global Warming of 1.5 °C (SR15)', 'Special Report on climate change and land (SRCCL)', 'Special Report on the Ocean and Cryosphere in a Changing Climate (SROCC)', 'Methodology reports', 'Revised 1996 IPCC Guidelines for National Greenhouse Gas Inventories', '2006 IPCC Guidelines for National Greenhouse Gas Inventories', 'Activities', 'Nobel Peace Prize', 'Criticisms', 'Itinerary 1325–1332', 'First pilgrimage', 'Iraq and Persia', 'Arabia', 'Somalia', 'Swahili Coast', 'Itinerary 1332–1347', 'Anatolia', 'Central Asia', 'South Asia', 'Introduction', 'Definition', 'Example', 'Urbanization', 'Infant mortality rate', 'Nationality', 'Education expenditures', 'Literacy', 'See also', 'References'], ['Culture, Sport and Social policies', 'Education', 'Health', 'BSE outbreak', 'Local Government', 'Scotland', 'Wales', 'Northern Ireland peace process', "Back to Basics and 'sleaze'", '1995 leadership election', 'Classification', 'Kaiseki', 'Vegetarian', 'Rice', 'Noodles', 'Sweets', 'Beverages', 'Tea', 'Beer', 'Sake', 'Sports arenas', 'Sports teams', 'Former professional sports teams', 'Film', 'Notable people', 'Further reading', 'Notes', 'References', 'Bibliography'], ['H.\xa0L.\xa0A. Hart', 'Joseph Raz', 'Legal realism', 'Critical legal studies', 'Critical rationalism', 'Legal interpretivism', 'Therapeutic jurisprudence', 'Normative jurisprudence', 'Virtue jurisprudence', 'Deontology', 'Compilation appearances', 'Producer discography', 'Albums', 'Soundtracks', 'See also', 'References', 'Bibliography'], []]



['Wikipedia: Dionysius Thrax', 'Wikipedia: Dolly (sheep)', 'Wikipedia: Estampie', 'Wikipedia: Etna', "Wikipedia: Foster's Lager", 'Wikipedia: McDonnell Douglas F-4 Phantom II', 'Wikipedia: Gary Coleman', 'Wikipedia: GIMP', 'Wikipedia: Francis Gary Powers', 'Wikipedia: Hassium', 'Wikipedia: Politics of Jamaica', 'Wikipedia: Jackson County, Michigan', 'Wikipedia: Judge Dredd']
[['References', 'Further reading'], ['Flow', 'Government and Law', 'Healthcare', 'Music', 'Africa', 'Americas', 'Military cooperation', 'War on Terror', 'Post-Mubarak relations with U.S.', 'Asia', 'Europe', 'Oceania', 'International involvement', 'See also', 'Broadly against', 'Partially in favor of', 'Islam', 'Judaism', 'See also', 'References', 'Further reading'], ['Etymology', 'Use in chronology', 'Geological era', 'Cosmological era', 'Calendar eras', 'Regnal eras', 'Historiography', 'First marriage', 'Conflict', 'Crusade', 'Annulment', 'Second marriage', 'The Court of Love in Poitiers', 'Revolt and capture', 'Years of imprisonment 1173–1189', 'Widowhood', 'Appearance', 'Musical form', 'Dance', 'Etymology', 'Footnotes', 'References', 'Places', 'United States', 'Elsewhere', 'Ships', 'Rapid transit', 'Trams', 'Roads', 'Bus transport in France', 'Waterways/Canals', 'Marine transport', 'Air travel', 'See also', 'References', 'Births', 'pre-19th century', '19th century', '1901–1925', '1926–1950', '1951–2000', 'Deaths', '1901–1950', '21st century', 'Holidays and observances', 'Publications', 'Crime statistics', 'Uniform Crime Reports', 'National Incident-Based Reporting System', 'eGuardian', 'Controversies', 'Media portrayal', 'Notable FBI personnel', 'See also', 'Additional links', 'History', 'Production', 'Global market', 'Variants', 'Marketing', 'Early life', 'Education', 'Career', 'Acting', 'Directing and producing', 'Filmography', 'As actor', 'Development', 'Origins', 'XF4H-1 prototype', 'Healthcare availability', 'Culture and sports', 'Fine arts', 'Athletics', 'Transport and communications', 'Transport', 'Highways', 'Rail transport', 'Marine transport', 'Air transport', 'Life and career', '1968–1973: Early life and health issues', '1974–1986: Career beginnings and breakthrough', 'Definitions of Germanic peoples', 'General', 'Roman ethnographic writing, from Caesar to Tacitus', 'Origin of the "Germanic" terminology', 'Germanic terminology before Caesar', 'Later Roman "Germanic peoples"', 'Medieval loss of the "Germanic people" concept', 'Later debates', 'The influence of Jordanes and the Origo Gentes genre', 'Notes', 'References', 'Citations', 'Bibliography'], ['Bibliography'], ['Early life and education', 'Election to Parliament and opposition', 'Chancellor of the Exchequer (1997–2007)', 'Early economic reforms', 'Taxation and spending', 'European single currency', 'Other issues', 'Run-up to succeeding Tony Blair', 'Prime Minister (2007–10)', 'Domestic policy', 'Foreign policy', 'Early Modern Spain', 'Dynastic union of the Catholic Monarchs', 'Conclusion of the Reconquista and expulsions of Jews and Muslims', 'Conquest of the Canary Islands, colombian expeditions to the New World and African expansion', 'Spanish empire', "Spanish Kingdoms under the 'Great' Habsburgs (16th century)", 'Charles I, Holy Emperor', 'Phillip II and the wars of religion', 'The cultural Golden Age (Siglo de Oro)', "Decline under the 'Minor' Habsburgs (17th century)", 'Provincial government', 'Provincial development', 'The Roman military in Britain', 'Urban life', 'Rural life', 'Art'], ['Introduction to the heaviest elements', 'Discovery', 'Cold fusion', 'German laws concerning the expellees', 'Formation of the Federation', 'German reunification', 'Recent developments', 'Organization', 'Presidents', 'Member organizations', 'Regional', 'State', 'Criticism', 'Poland', 'Russia', 'Serbia', 'South Africa', 'Singapore', 'United Kingdom', 'United Nations', 'United States', 'In popular culture', 'Notes', 'Practice', 'Stages', 'Katharsis (purification)', 'Theoria (illumination)', 'Theosis (deification)', 'Integration in Orthodox Church life', 'Hesychast controversy', 'Roman Catholic opinions of hesychasm', 'Oriental Orthodox view of hesychasm', 'See also', 'Time zones', 'Climate', 'Environmental issues', 'Geographical facts', 'See also', 'References'], ['Email protocols', 'History', 'Original IMAP', 'IMAP2', 'IMAP3', 'IMAP2bis', 'IMAP4', 'Projected date of melting of Himalayan glaciers', 'Overstatement of effects', 'Emphasis of the "hockey stick" graph', 'Conservative nature of IPCC reports', 'IPCC processes', 'Outdatedness of reports', 'Burden on participating scientists', 'Lack of error correction after publication', 'Proposed organizational overhaul', 'Reframing of scientific research', 'Southeast Asia', 'China', 'Return', 'Itinerary 1349–1354', 'Spain and North Africa', 'Mali and Timbuktu', 'Works', 'Historicity', 'See also', 'Notes', 'Characterization', 'Alternate characterization', 'Further properties', 'Aspects', 'Relationship to thermodynamic entropy', 'Data compression', 'Entropy as a measure of diversity', 'Limitations of entropy', 'Limitations of entropy in cryptography', 'Data as a Markov process', 'Legislative branch', 'Political parties and elections', 'Executive branch', 'Current composition', 'Judicial branch', '1997 general election defeat', 'International', 'Gulf War', 'Europe', 'Bosnian War', 'United States', 'Commonwealth', 'China', 'Russia', 'Final years in Parliament (1997–2001)', 'Shōchū', 'Whisky', 'Wine', 'Regional cuisine', 'Traditional table settings', 'Dining etiquette', 'Dishes for special occasions', 'Imported and adapted foods', 'Yōshoku – Foreign (Western) food, dishes===', 'Okonomiyaki', 'Geography', 'Rivers', 'Grand River', 'Utilitarianism', 'John Rawls', 'See also', 'Notes', 'References', 'Further reading'], ['Publication history', 'Setting', 'The Judge system', 'Lists of stories', 'Major storylines']]



['Wikipedia: El Salvador', 'Wikipedia: Extraterrestrial life', 'Wikipedia: Eschatology', 'Wikipedia: Experimental cancer treatment', 'Wikipedia: Enki', 'Wikipedia: French Armed Forces', 'Wikipedia: Finite-state machine', 'Wikipedia: Flamsteed designation', 'Wikipedia: Friends', 'Wikipedia: Futurians', 'Wikipedia: List of Roman place names in Britain', 'Wikipedia: History of Albania', 'Wikipedia: History of Asia', 'Wikipedia: Hemlock', 'Wikipedia: Demographics of Indonesia', 'Wikipedia: Integrated Services Digital Network', 'Wikipedia: Economy of Jamaica', 'Wikipedia: Jury trial']
[['Life', 'Tékhnē grammatikē', 'Authorship', 'Notes', 'Citations', 'Sources'], ['Genesis', 'Birth', 'Life', 'Death', 'Legacy', 'See also', 'References'], ['References..'], ['Etymology', 'General', 'Evolution', 'Biochemical basis', 'Planetary habitability in the Solar System', 'Mercury', 'See also', 'References', 'Religion', 'Popular culture', 'Art', 'Books and dramas', 'Film, radio and television', 'Music', 'Video games', 'Issue', 'See also', 'References', 'Bibliography', 'Studying Treatments For Cancer', 'Bacterial Treatments', 'Drug Therapies', 'HAMLET (human alpha-lactalbumin made lethal to tumor cells)', 'Other uses', 'See also', 'Worship', 'History', 'International stance today', '2008 White Paper', 'Recent operations', 'Christian feast days', 'Others', 'References'], ['References', 'Further reading'], ['See also', 'References'], ['Films', 'Television', 'As director', 'References'], ['Production', 'World records', 'Design', 'Overview', 'Flight characteristics', 'Costs', 'Operational history', 'United States Air Force', 'United States Navy', 'United States Marine Corps', 'Telecommunications', 'Telephone service', 'Television and radio', 'See also', 'Notes and references', 'Bibliography', 'Books'], ['1987–2003: Career fluctuations, financial struggles and legal issues', '2005–2010: Marriage, further struggles and later years', 'Death', 'Impact and influence', 'Works and accolades', 'Filmography', 'Awards and nominations', 'References'], ['Modern debates', 'Prehistoric evidence', 'Archaeological evidence', "Caesar's claims", 'Languages', 'Proto-Germanic', 'Reconstruction', 'Attestation', 'Disintegration', 'Classification', 'History', 'Versions', 'GIMP 0.54', 'GIMP 0.60', 'GIMP 0.99', 'GIMP 1.0', 'GIMP 1.1', 'GIMP 1.2', 'Education and service', 'The U-2 incident', 'Reconnaissance mission', 'Shoot-down', 'Attempted deception by the U.S. government', 'Pilot testimony compromised by newspaper reports', 'Political consequence', 'Conviction', 'Prisoner exchange', 'Aftermath', 'Drug policy', 'Global recession', 'Challenges to leadership', 'By-elections and 2009 local and EU elections', '2010 general election', '2010 government formation and resignation', 'Post-premiership', 'Return to the backbenches (2010–2015)', 'IMF speculation', 'Other appointments', 'Spain under the Bourbons, 1715-1808', 'War of Spanish Independence and American wars of independence', 'War of Spanish Independence (1808–1814)', 'Independence of Spanish America', 'Reign of Ferdinand VII (1813–1833)', 'Aftermath of the Napoleonic wars', 'Trienio liberal (1820–23)', '"Ominous Decade" (1823–1833)', 'Reign of Isabella II (1833–1868)', 'Sexenio Democrático (1868–1874)', 'Lists', 'Geographic regions', 'Settlement names', 'See also', 'Primary sources', 'References', 'Reports', 'Arbitration', 'Naming', 'Isotopes', 'Natural occurrence', 'Predicted properties', 'Relativistic effects', 'Physical and atomic', 'Chemical', 'Experimental chemistry', 'Nazi background', 'See also', 'References'], ['References', 'Further reading'], ['Notes', 'References', 'Sources', 'Further reading'], ['Population', 'Population by province', 'Largest cities', 'Age structure', 'Vital statistics', 'United Nations estimates', 'Advantages over POP', 'Connected and disconnected modes', 'Multiple simultaneous clients', 'Access to MIME message parts and partial fetch', 'Message state information', 'Multiple mailboxes on the server', 'Server-side searches', 'Built-in extension mechanism', 'Disadvantages', 'Security', 'InterAcademy Council review', 'Archiving', 'Endorsements of the IPCC', 'See also', 'Notes', 'References', 'Citations', 'Sources', 'Further reading'], ['References', 'Citations', 'Bibliography'], ['Efficiency (normalized entropy)', 'Entropy for continuous random variables', 'Differential entropy', 'Limiting density of discrete points', 'Relative entropy', 'Use in combinatorics', 'Loomis–Whitney inequality', 'Approximation to binomial coefficient', 'See also', 'References', 'Administrative divisions', 'Foreign relations', 'See also', 'References', 'Post-Parliamentary life', 'Revelation of affair', 'Political engagement', 'Brexit', 'Assessment and legacy', 'Representation in the media', 'Personal life', 'Honours', 'Awards', 'Public commemoration', 'Tonkatsu', 'Curry', 'Ramen', 'Wafū burgers (Japanese-style burgers)', 'Italian', 'Outside Japan', 'United States', 'Canada', 'Australia', 'United Kingdom', 'Kalamazoo River', 'Adjacent counties', 'Highways', 'Government', 'Elected officials', 'Demographics', 'Parks and recreation', 'Communities', 'Cities', 'Villages', 'History', 'Greece', 'Rome', 'Islamic Law', 'Holy Roman Empire and modern Germany', 'England and Wales', 'Alternative versions', 'In other media', 'Films', 'Judge Dredd (1995)', 'Dredd (2012)', 'Television', 'Games', 'Video games', 'Role-playing games', 'Boardgames']]



['Wikipedia: Discrimination', 'Wikipedia: Des Moines, Iowa', 'Wikipedia: Ecumenical council', 'Wikipedia: Elliptic-curve cryptography', 'Wikipedia: Emission', 'Wikipedia: Northrop F-5', 'Wikipedia: Fianna Fáil', 'Wikipedia: Ganges', 'Wikipedia: Gene therapy', 'Wikipedia: History of the Republic of Turkey', 'Wikipedia: Telecommunications in Jamaica', 'Wikipedia: Jabberwocky', 'Wikipedia: John Hay']
[['Etymology', 'Definitions', 'Examples of Discrimination', 'Age', 'Examples', 'See also', 'References', 'Human rights', 'Administrative divisions', 'Economy', 'Remittances from abroad', 'Free trade agreements', 'Official corruption and foreign investment', 'Tourism', 'Infrastructure', 'Water supply and sanitation', 'Demographics', '19th century', '20th century', 'Recent history', 'See also', 'Notes', 'References', 'Further reading'], ['Acceptance of councils by denomination', 'Infallibility of ecumenical councils', 'Council documents', 'Circumstances of the first ecumenical councils', 'Catholic views on those circumstances', 'List of ecumenical councils', 'See also', 'Notes', 'References', 'Sources', 'Further reading'], ['Chemical products', 'Electromagnetic radiation', 'Other uses', 'See also', 'Early life', 'Career', 'Stage actor', 'Film and television roles', 'Personal life', 'Death', 'Filmography', 'Awards and nominations', 'References', 'François Mitterrand: 1981–1995', 'Jacques Chirac', 'Nicolas Sarkozy', 'François Hollande', 'Emmanuel Macron, 2017 - present', 'International organization participation', 'International border disputes', 'Middle East', '1945–1958', "De Gaulle's policies", 'Software applications', 'Finite-state machines and compilers', 'See also', 'References', 'Further reading', 'General', 'Finite-state machines (automata theory) in theoretical computer science', 'Abstract state machines in theoretical computer science', 'Machine learning using finite-state algorithms', 'Hardware engineering: state minimization and synthesis of sequential circuits', 'Design and development', 'Origins', 'F-5E and F-5F Tiger II', 'Upgrades', 'Critical reception', 'Awards', 'Ratings', 'Syndication', 'Cultural impact', 'Reunion', 'Distribution', 'Broadcast', 'United States', 'International', 'History', 'Organisation and structure', 'Ideology', 'Leadership and president', 'Deputy leader', 'Seanad leader', 'The Spook', 'Aircraft on display', 'Notable accidents', 'Specifications (F-4E)', 'See also', 'References', 'Notes', 'Citations', 'Bibliography'], ['Demographic trends', 'Vital statistics', 'Births and deaths', 'Total area', 'Excluding Abkhazia and South Ossetia', 'Current birth and death statistics', 'Life Expectancy', 'Structure of the population  ===', 'Ethnic groups', 'Recording style', 'Other ventures', 'Professional baseball', 'Pearl Records', 'GhostTunes', 'Personal life', 'Charitable activities', 'Support for gay rights', 'Awards and records', 'Records', 'References', 'Bibliography', 'Primary'], [' for classical and medieval sources', 'Automation, scripts and plug-ins', 'GEGL', 'File formats', 'Forks and derivatives', 'Extensions', 'See also', 'About GIMP', 'About editing', 'Other', 'References', 'Manuscript tradition', 'Content of the text', 'See also', 'Related', 'References'], ['Spacecraft', 'Command and Data Handling (CDH)', 'Propulsion', 'Electrical power', 'Instrumentation overview', 'Instrumentation details', 'Despun section', 'Solid State Imager (SSI)', 'Near-Infrared Mapping Spectrometer (NIMS)', 'Ultraviolet Spectrometer / Extreme Ultraviolet Spectrometer (UVS/EUV)', 'Background', 'Single-party period (1923–1945)', 'Atatürk era (1923–1938)', 'Foreign policy', 'Post-Atatürk era (1938–1945)', 'Rehabilitation', 'Physical therapy', 'Occupational therapy', 'Orthotic Intervention', 'Prognosis', 'Popular culture', 'See also', 'References'], ['The Persian Gulf', 'Turkish invasion of Cyprus', 'Latin American policy', 'Intervention in Chile', 'Argentina', 'Rhodesia', 'East Timor', 'Cuba', 'Later roles', 'Views on U.S. foreign policy', 'Projects of partition in 1919–1920', 'Zogu Government', 'June Revolution', 'First Republic', 'Kingdom of Albania', 'Financial crisis', 'World War II', 'Italian penetration', 'Italian invasion', 'Albania under Italy', 'Yuan Dynasty', 'Korea', 'Three Kingdoms of Korea', 'North-South States Period', 'Later Three Kingdoms of Korea', 'Goryeo (918–1392)', 'Japan', 'Asuka period', 'Nara period', 'Heian period', 'Settlements in the United States', 'Articles of association', 'First settlement: Harmony, Pennsylvania', 'Second settlement: Harmony, Indiana', 'Third settlement: Economy, Pennsylvania', 'Characteristics', 'Religious views', 'Architecture', 'Living styles', 'Clothing', 'Transition to the New Order', 'New Order', 'Reform era', 'Executive branch', 'Legislative branch', 'Political parties and elections', 'Judicial branch', 'Foreign relations', 'See also', 'References', 'Newtonian mechanics', 'Special relativity', 'General relativity', 'See also', 'References', 'Further reading'], ['Rumors', 'Competitors', 'Predecessors', 'Project Chess', 'Open standards', '"Make or Buy"', 'Debut', 'The Little Tramp', 'Third-party products', 'Reaction', 'Configurations', 'Reference points', 'Types of communications', 'Sample call', 'See also', 'Protocols', 'Other', 'Notes', 'Citations'], ['Intramurals', 'Sustainability', 'Environmental record', 'Commitments to action on climate change', 'Energy profile', 'Energy investments', 'Community impact', 'Leadership', 'Current president', 'Former presidents', 'Radio and television', 'Telecommunications', 'Mobile Telephony', 'Internet', 'References', 'Bibliography', 'Origin and publication', 'Marriage and family', 'Plantations and slavery', 'Early political career', 'Virginia politics', 'Senator', 'Minister to France', 'Confrontations and strife with Alexander Hamilton', 'Governor of Virginia and diplomat', 'Governor of Virginia', 'Louisiana Purchase and Minister to Great Britain', '2006–2009: Como Ama una Mujer and career setbacks', '2010–2013: Career rejuvenation with American Idol and Love?', '2014–2017: Television ventures and residency show', '2018–present: Hustlers and Super Bowl LIV halftime show', 'Personal life', 'Other activities', 'Philanthropy', 'Political activism', 'Artistry', 'Influences and musical style', 'Russia', 'Singapore', 'South Africa', 'Sweden', 'Switzerland', 'United Kingdom', 'Scotland', 'Northern Ireland', 'United States', 'Civil trial procedure', 'Political activities', 'Controversial remarks and opinions', 'Partial bibliography', 'References', 'Further reading'], []]



['Wikipedia: European Strategic Program on Research in Information Technology', 'Wikipedia: Environmental movement in the United States', 'Wikipedia: Electric Light Orchestra', 'Wikipedia: Functional programming', 'Wikipedia: McDonnell FH Phantom', 'Wikipedia: Politics of Georgia (country)', 'Wikipedia: Global illumination', 'Wikipedia: Henri Bergson', 'Wikipedia: Economy of Indonesia', 'Wikipedia: Illuminati: New World Order', 'Wikipedia: Genomic imprinting', 'Wikipedia: Differential psychology', 'Wikipedia: Transport in Jamaica', 'Wikipedia: Justice']
[['Caste', 'Disability', 'Language', 'Name', 'Nationality', 'Race or ethnicity', 'Region', 'Religious beliefs', 'Sex, sex characteristics, gender, and gender identity', 'Sexual orientation', 'Etymology', 'Prehistory', 'Prehistoric inhabitants of early Des Moines', 'History', 'Origin of Fort Des Moines', 'Early, non-Native American, settlement', 'Era of growth', '"City Beautiful" project, decline and rebirth', 'Cityscape', 'Ethnic groups', 'Languages', 'Largest cities', 'Religion', 'Health', 'Education', 'Crime', 'Culture', 'Cuisine', 'Music', 'Programmes', 'Projects', 'References'], ['First seven ecumenical councils', 'Further councils recognised as ecumenical in the Catholic Church', 'Further councils recognised as ecumenical by some Eastern Orthodox', 'Acceptance of the councils', 'Catholic Church', 'Eastern Orthodox Church', 'Oriental Orthodoxy', 'Church of the East', 'Protestantism', 'Anglican Communion', 'Rationale', 'History', 'Theory', 'Cryptographic schemes', 'Implementation', 'Domain parameters', 'Key sizes', 'Scope of the movement', 'History', 'Conservation movement', 'Progressive era', 'New Deal'], ['History', '1970–1973: Formation and early albums', 'Foreign aid', 'Bilateral relations', 'Africa', 'Americas', 'Asia', 'Europe', 'Oceania', 'See also', 'References', 'Further reading', 'Finite Markov chain processes'], ['History', 'Operational history', 'United States', 'Brazil', 'Ethiopia', 'Iran', 'Kenya', 'Malaysia', 'Mexico', 'Morocco', 'Netherlands', 'Remastering', 'Home media', 'Streaming', 'Blu-ray and DVD', 'Spin-off', 'Joey', 'See also', 'References', 'Further reading'], ['General election results', 'Front bench', 'Ógra Fianna Fáil', 'Fianna Fáil and Northern Ireland politics', 'In European institutions', 'See also', 'Notes', 'References', 'Further reading'], ['Design and development', 'Operational history', 'Civilian use', 'CIA World Factbook 2002 demographic statistics {{cite web|url=', 'Population growth rate by province', 'See also', 'Notes', 'References'], ['Other', 'Discography', 'Filmography', 'Concert tours and residencies', 'See also', 'References', 'Sources', 'Further reading'], ['Course', 'Geology', 'Hydrology', 'History and Legends', 'Religious and cultural significance', 'Embodiment of sacredness', 'Avatarana - Descent of Ganges', 'Redemption of the Dead', 'The Purifying Ganges', 'Further reading'], ['Algorithms', 'Background', 'Cell types', 'Somatic', 'Germline', 'Vectors', 'Viruses', 'Non-viral', 'Photopolarimeter-Radiometer (PPR)', 'Spun section', 'Dust Detector Subsystem (DDS)', 'Energetic Particles Detector (EPD)', 'Heavy Ion Counter (HIC)', 'Magnetometer (MAG)', 'Plasma Subsystem (PLS)', 'Plasma Wave Subsystem (PWS)', 'Galileo Probe', 'Jupiter science', 'Multi-party transition (1945)', 'Multi-party period (1945–present)', 'Early period (1945–1987)', 'Military coups', 'Political instability (1987–2002)', 'AKP government (2002–present)', '2016 attempted coup and aftermath', 'AKP–Gülen alliance and "Ergenekon"', '2016-7 purges', 'Torture in the aftermath', 'Biography', 'Overview', 'Early years', 'Education and career', 'Yugoslav wars', 'Iraq', 'India', 'China', 'Iran', '2014 Ukrainian crisis', 'Computers and nuclear weapons', 'COVID-19 Pandemic', 'Public perception', 'Family and personal life', 'Albania under Germany', 'Albanian resistance in World War II', 'Communist resistance', 'Nationalist resistance', 'Communist revolution in Albania (1944)', 'Consequences of the war', 'Second Republic', 'Communism', 'Albania and Yugoslavia', 'Albania and the Soviet Union', 'Kamakura period', 'Southeast Asia', 'Khmers', 'Early modern', 'Ming China', 'Society and economy', 'Foreign interests', 'Decline', 'Korea: Joseon dynasty (1392–1897)', 'Japan: Tokugawa or Edo period (1603–1867)', 'Technology', 'Work', 'Rise and fall of Harmony Society', 'See also', 'References', 'Bibliography'], ['Further reading'], ['History', 'Goal of the game', 'Card types', 'Reception', 'General References', 'References'], ['Success', 'Domination', 'IBM PC as standard', 'Third-party distribution', 'Models', 'Original PC', 'XT', 'XT/370', 'PCjr', 'Portable', 'Overview', 'Imprinted genes in mammals', 'Genetic mapping of imprinted genes', 'Alumni', 'Faculty', 'References'], ['Internet censorship and surveillance', 'See also', 'References'], ['Lexicon', 'Possible interpretations of words', 'Linguistics and poetics', 'Translations', 'History', 'Sample translations', 'Reception', 'Music, film, art, and video games', 'See also', 'References', '1808 election and the Quids', 'Secretary of State and Secretary of War', 'Madison administration', 'Election of 1816', 'Presidency', 'Domestic affairs', 'Democratic-Republican Party dominance', 'Administration and cabinet', 'Missouri Compromise', 'Internal improvements', 'Dance and stage', 'Public image', 'Legacy and cultural impact', 'Achievements', 'Discography', 'Filmography', 'Tours', 'See also', 'References', 'Further reading', 'Waiver of jury trial', 'See also', 'References', 'Further reading'], ['Early life', 'Family and youth', 'Student and Lincoln supporter', 'American Civil War', 'Secretary to Lincoln', 'Presidential emissary', 'Assassination of Lincoln']]



['Wikipedia: Geography of El Salvador', 'Wikipedia: E. E. Cummings', 'Wikipedia: French Guinea', 'Wikipedia: Frankish', 'Wikipedia: Fujiwara clan', 'Wikipedia: Gustave Eiffel', 'Wikipedia: History of Islam', 'Wikipedia: Huneric', 'Wikipedia: Integration', 'Wikipedia: John Sparrow David Thompson', 'Wikipedia: July 21']
[['Drug use', 'Reverse discrimination', 'Legislation', 'United Nations documents', 'Theories', 'Labeling theory', 'Game theory', 'State vs. free market', 'See also', 'References', 'Geography', 'Metropolitan area', 'Climate', 'Demographics', '2010 census', '2000 census', 'Economy', 'Culture', 'Arts and theatre', 'Attractions', 'Sport', 'See also', 'References', 'Further reading'], ['Life', 'Early years', 'War years', 'Post-war years', 'Lutheran and Methodist denominations', 'Other Protestant denominations', 'Nontrinitarian denominations', 'See also', 'References', 'Further reading'], ['Projective coordinates', 'Fast reduction (NIST curves)', 'Applications', 'Security', 'Side-channel attacks', 'Backdoors', 'Quantum computing attacks', 'Invalid curve attack', 'Patents', 'Alternative representations', 'Post-1945', 'Beginning of the modern movement', 'Wilderness preservation', 'Anti-nuclear movement', 'Antitoxics groups', 'Federal legislation in the 1970s', 'Renewed focus on local action', '"Post-environmentalism"', 'Environmental rights', 'Role of science', '1974–1982: Global success and concept albums', '1983–1986: Secret Messages, Balance of Power, disbanding', '1989-1999: ELO Part II', '2000–2001: Reformation', '2001–2013: Non-performing work, reissues and miniature reunions', "2014–present: Jeff Lynne's ELO", 'Legacy and influence', 'Personnel', 'Discography', 'Notes'], ['Colonial history', 'See also', 'Concepts', 'First-class and higher-order functions', 'Pure functions', 'Recursion', 'Strict versus non-strict evaluation', 'Type systems', 'Referential transparency', 'Data structures', 'Comparison to imperative programming', 'Side-by-side comparison of Imperative vs. Functional programming', 'Norway', 'Philippines', 'South Korea', 'Singapore', 'Switzerland', 'Taiwan', 'Vietnam', 'Venezuela', 'Others', 'Variants', 'See also', 'Asuka/Nara period', 'Heian period', 'Fujiwara regime in the Heian period', 'Variants', 'Operators', 'Aircraft on display', 'Specifications (FH-1 Phantom)', 'See also', 'References', 'Notes', 'Citations', 'Bibliography'], ['Developments in 2003-2008', 'Monarchist option', 'Euro-Atlantic Integration', 'Political conditions', 'Executive branch', 'Legislative branch', 'Political parties and elections', 'Early life', 'Early career', 'Eiffel et Cie', 'The Eiffel Tower', 'Ganges in classical Indian iconography', 'Kumbh Mela', 'Irrigation', 'Canals', 'Dams and barrages', 'Economy', 'Tourism', 'Ecology and environment', 'Fish', 'Crocodilians and turtles', 'Photorealism', 'Procedure', 'Image-based lighting', 'List of methods', 'See also', 'References'], ['Hurdles', 'Deaths', 'History', '1970s and earlier', '1980s', '1990s', '2000s', '2002', '2003', '2006', 'Other science conducted by Galileo', 'Remote detection of life on Earth', 'Galileo Optical Experiment', 'Lunar observations', 'Star scanner', 'Asteroid encounters', 'First asteroid encounter: 951 Gaspra', 'Second asteroid encounter: 243 Ida and Dactyl', 'Mission challenges', 'Radiation-related anomalies', 'Executive Presidency in Turkey (2018)', 'See also', 'References', 'Further reading'], ['Relationship with James and pragmatism', 'Lectures on change', 'Later years', 'Debate with Albert Einstein', 'Later years and death', 'Philosophy', 'Creativity', 'Duration', 'Intuitionism', 'Élan vital', 'Soccer', 'Awards, honors, and associations', 'Writings: major books', 'Memoirs', 'Public policy', 'See also', 'Notes', 'References', 'Sources', 'Further reading', 'Albania and China', 'Third Republic', 'Fourth Republic', 'Transition', 'Democratization', 'Present', 'See also', 'References', 'Bibliography'], ['British and Dutch colonization', 'Late modern', 'Central Asia: The Great Game, Russia vs Great Britain', 'Qing China', 'Opium War', 'Inner Manchuria', 'Joseon', 'Korean Empire', 'Contemporary', 'See also', 'Biography', 'His reign', 'See also', 'References', 'Sukarno era', 'New Order', 'Reform era', 'Structure', 'Sectors', 'Agriculture', 'Oil and mining', 'Automotive industry', 'Finance, real estate and business', 'Others', 'Biology', 'Economics and law', 'Engineering', 'AT', 'AT/370', 'Convertible', 'Next-generation IBM PS/2', 'Technology', 'Electronics', 'Peripheral integrated circuits', 'Joystick port', 'Keyboard', 'Character set', 'Imprinting mechanisms', 'Regulation', 'Functions of imprinted genes', 'Hypotheses on the origins of imprinting', 'Imprinted Loci Phenotypic Signatures', 'Disorders associated with imprinting', 'Male infertility', 'Prader-Willi/Angelman', 'DIRAS3 (NOEY2 or ARH1)', 'Other', 'Importance of individual differences', 'Areas of study', 'Methods of research', 'See also', 'References', 'Further reading', 'Roadways', 'Railways', 'Air Transport', 'Ports and Shipping', 'Merchant marine', 'Lighthouses', 'Pipelines', 'References', 'Footnotes', 'Sources', 'Further reading'], ['Panic of 1819', 'Foreign affairs', 'Treaties with Britain and Russia', 'Acquisition of Florida', 'Monroe Doctrine', 'Election of 1820', 'States admitted to the Union', 'Post-presidency', 'Religious beliefs', 'Slavery'], ['Events', 'Births', 'Harmony', 'Divine command', 'Natural law', 'Despotism and skepticism', 'Mutual agreement', 'Subordinate value', 'Theories of distributive justice', 'Social justice', 'Early diplomatic career', 'Wilderness years (1870–97)', 'Tribune and marriage', 'Return to politics', 'Wealthy traveler (1881–97)', 'Author and dilettante', 'McKinley backer', 'Ambassador', 'Appointment', 'Service']]



['Wikipedia: Double-ended queue', 'Wikipedia: Exoplanet', 'Wikipedia: EDM', 'Wikipedia: Elo', 'Wikipedia: French Polynesia', 'Wikipedia: FBI Most Wanted Terrorists', 'Wikipedia: Federalism', 'Wikipedia: Fricative consonant', 'Wikipedia: Geometric series', 'Wikipedia: Hydra (genus)', 'Wikipedia: Handfasting', 'Wikipedia: History of the Americas', 'Wikipedia: Hasdingi', 'Wikipedia: Interstellar travel', 'Wikipedia: ICANN', 'Wikipedia: Industrial and organizational psychology', 'Wikipedia: Foreign relations of Jamaica', 'Wikipedia: July 23']
[[], ['Naming conventions', 'Distinctions and sub-types', 'Festivals and events', 'Museums', 'Government', 'Transportation', 'Education', 'Media', 'Radio', 'Commercial stations', 'Non-commercial stations', 'Television', 'Plate tectonics', 'Physical features', 'El Salvador volcanos and calderas', 'Climate', 'El Salvador coast line', 'Other facts', 'Gallery', 'Environmental issues', 'Final years', 'Personal life', 'Marriages', 'Political views', 'Work', 'Poetry', 'Controversy', 'Plays', 'Name and capitalization', 'Adaptations', 'Definition', 'IAU', 'Alternatives', 'Nomenclature', 'History of detection', 'Early speculations', 'See also', 'Notes', 'References'], ['Criticisms', 'DDT', 'Elitist', 'Wilderness myth', 'Debates within the movement', 'Environmentalism and politics', 'Radical environmentalism', 'See also', 'References', 'Further reading', 'References', 'Further reading'], ['References', 'History', 'Governance', 'Simulating state', 'Efficiency issues', 'Functional programming in non-functional languages', 'Applications', 'Academia', 'Industry', 'Education', 'See also', 'References', 'Further reading', 'Single-seat versions', 'Reconnaissance versions', 'Two-seat versions', 'Foreign variants', 'Licensed versions', 'Unlicensed versions', 'Derivatives', 'F-20 Tigershark', 'Northrop YF-17', 'Shaped Sonic Boom Demonstration', 'Initial persons alleged to be terrorist fugitives', 'FBI Seeking Information – War on Terrorism list', 'Additions to the list', 'Rewards', 'See also', 'Decline', 'Split and enduring influence', 'Family tree', 'See also', 'Notes', 'References', 'Types', 'Sibilants', 'Central non-sibilant fricatives', 'Judicial branch', 'Administrative divisions', 'International organization participation', 'See also', 'References', 'Further reading'], ['The Panama Scandal', 'Later career', 'Influence', 'Works', 'Buildings and structures', 'Bridges and viaducts', 'Destroyed', 'Not proven', 'Unrealized projects', "Protection of Gustave Eiffel's heritage", 'Ganges river dolphin', 'Effects of climate change', 'Pollution and environmental concerns', 'Water shortages', 'Mining', 'See also', 'Notes', 'References', 'Sources', 'Further reading', 'Common ratio', 'Sum', 'Example', 'Formula', 'Proof of convergence', 'Applications', '2007', '2008', '2009', '2010s', '2010', '2011', '2012', '2013', '2014', '2016', 'Main antenna problem', 'Tape recorder anomalies and remote repair', 'Probe parachute deployment', 'End of mission and deorbit', 'Follow-on missions', 'Juno', 'Europa Orbiter (canceled)', 'Jupiter Icy Moons Explorer', 'Europa Clipper', 'Europa Lander', 'Timeline', 'Early sources and historiography', 'Islamic origins', 'Rashidun Caliphate', 'Umayyad Caliphate', 'Islamic Golden Age', 'Islamic world during the Abbasid Caliphate', 'Golden Baghdad Abbasids', 'Laughter', 'Reception', 'Comparison to Indian philosophies', 'Bibliography', 'See also', 'References', 'Further reading'], ['Works online', 'Biographies', 'Other'], ['Origin of the term', 'Medieval and Tudor England', 'Early modern Scotland', 'References', 'Bibliography', 'Regions', 'Economic history', 'See also', 'References', 'Foreign economic relations', 'United States', 'Macro-economic trend', 'Investment', 'Public expenditure', 'Regional performance', 'High-net-worth individuals', 'Challenges', 'Labour unrest', 'Inequality', 'Mathematics', 'Sociology', 'Other uses', 'See also', 'Storage media', 'Cassette tape', 'Floppy diskettes', 'Fixed disks', 'OS support', 'BIOS', 'Video output', 'Serial port addresses and interrupts', 'Printer port', 'Reception', 'Imprinted genes in other animals', 'Imprinted genes in plants', 'See also', 'References'], ['International', 'Historical overview', 'Research methods', 'Topics', 'Job analysis', 'Personnel recruitment and selection', 'History', 'Bilateral Relations', 'Jamaica and the Commonwealth', 'Multilateral membership', 'Early years', 'Law, politics, and professorship', 'Federal Minister of Justice', 'Louis Riel crisis', 'Declines post of prime minister', 'Prime Minister (1892–1894)', 'Supreme Court appointments', 'Death in office', 'Family', 'Legacy', 'Historical reputation', 'Memorials', 'See also', 'Notes', 'References', 'Bibliography', 'Secondary sources', 'Primary sources'], ['Deaths', 'Holidays and observances', 'References'], ['Fairness', 'Property rights', 'Welfare-maximization', 'Theories of retributive justice', 'Utilitarianism', 'Retributivism', 'Restorative justice', 'Mixed theories', 'Theories', "Rawls' theory of justice", 'Secretary of State', 'McKinley years', 'Open Door Policy', 'Boxer Rebellion', 'Death of McKinley', 'Theodore Roosevelt administration', 'Staying on', 'Panama', 'Relationship with Roosevelt, other events', 'Final months and death']]



['Wikipedia: Demographics of El Salvador', 'Wikipedia: East River', 'Wikipedia: Environmentalist', 'Wikipedia: Evil Dead II', 'Wikipedia: February 29', 'Wikipedia: Francis Bacon', 'Wikipedia: Economy of Georgia (country)', 'Wikipedia: Greenpeace', 'Wikipedia: Mobile Suit Gundam Wing', 'Wikipedia: Garden of Eden', 'Wikipedia: Hans Selye', 'Wikipedia: History of the Pacific Islands', 'Wikipedia: Hermes', 'Wikipedia: Communications in Indonesia', 'Wikipedia: Science and technology in Jamaica', 'Wikipedia: List of compositions by Johann Sebastian Bach', 'Wikipedia: James K. Polk']
[['Operations', 'Implementations', 'Purely functional implementation', 'Language support', 'Complexity', 'Applications', 'See also', 'References'], ['Print', 'Sports and recreation', 'Sports', 'Parks and recreation', 'Sister cities', 'See also', 'Notes', 'References', 'Bibliography'], ['References', 'Population', 'Emigration', 'Awards', 'Books', 'Notes', 'References'], ['Discredited claims', 'Confirmed discoveries', 'Candidate discoveries', 'Methodology', 'Formation and evolution', 'Planet-hosting stars', 'General features', 'Color and brightness', 'Magnetic field', 'Plate tectonics', 'Music', 'Science and technology', 'Computing', 'Places', 'Politics', 'Other uses'], ['Notable environmentalists', 'Extension', 'Music', 'Biology', 'People', 'Other uses', 'Administration', 'Relations with mainland France', 'Geography', 'Administrative divisions', 'Demographics', 'Historical population', 'Culture', 'Languages', 'Music', 'Religion'], ['Leap years', 'Modern (Gregorian) calendar', 'Operators', 'Aircraft on display', 'Czech Republic', 'Greece', 'Indonesia', 'Poland', 'Spain', 'Thailand', 'Turkey', 'Specifications (F-5E Tiger II)', 'References'], ['Biography', 'Overview', 'Early origins', 'Explanations for adoption', 'Immanuel Kant', 'Examples', 'Australia', 'Brazil', 'Lateral fricatives', 'IPA letters used for both fricatives and approximants', 'Pseudo-fricatives', 'Aspirated fricatives', 'Nasalized fricatives', 'Occurrence', 'Acoustics', 'See also', 'Notes', 'References', 'History', 'Recent macroeconomic performance', 'Foreign direct investment in Georgia', 'Trade', 'International money transfers', 'Institutional reforms', 'References', 'Bibliography'], [], ['Plot', 'Production', 'Repeating decimals', "Archimedes' quadrature of the parabola", 'Fractal geometry', "Zeno's paradoxes", 'Euclid', 'Economics', 'Geometric power series', 'See also', 'Specific geometric series', 'References', '2017', '2018', '2019', 'Speculative uses', 'Gene doping', 'Human genetic engineering', 'Regulations', 'United States', 'Popular culture', 'See also', 'Galileo team', 'Gallery of Jupiter system images', 'See also', 'References'], ['Rise of regional powers', 'High Baghdad Abbasids', 'Middle Baghdad Abbasids', 'Late Baghdad Abbasids', 'Cairo Abbasid Caliphs', 'Fatimid Caliphate', 'Fatimid caliphs', 'Crusades', 'Ayyubid dynasty', 'Sultans of Egypt', 'Biography', 'Stress Research', 'Controversy and Involvement with the Tobacco Industry', 'Former graduate students', 'Morphology', 'Nervous system', 'Motion and locomotion', 'Reproduction and life cycle', 'Feeding', 'Measuring the feeding response', 'Tissue regeneration', 'Non-senescence', 'Genomics', 'See also', 'Neopaganism', 'Handfasting ribbon', 'See also', 'Notes', 'References'], ['Pre-colonization', 'Migration into the continents', 'Lithic stage (before 8000 BCE)', 'Archaic stage (8000 BCE – 1000 BCE)', 'Mesoamerica, the Woodland Period, and Mississippian culture (2000 BCE – 500 CE)', 'Classic stage (800 BCE – 1533 CE)', 'Oasisamerica', 'Aridoamerica', 'Mesoamerica', 'Name and origin', 'Iconography', 'Functions', 'As a chthonic and fertility god', 'As a god of boundaries', 'As a messenger god', 'Inflation', 'See also', 'References', 'Further reading'], ['Challenges', 'Interstellar distances', 'Required energy', 'Interstellar medium', 'Hazards', 'Wait calculation', 'Prime targets for interstellar travel', 'Proposed methods', 'Slow, uncrewed probes', 'Longevity', 'Collectability', 'See also', 'Notes', 'References', 'Further reading'], ['History', 'Notable events', 'Structure', 'Governmental Advisory Committee', 'Representatives', 'Observers', 'Trusted Community Representatives', 'Democratic input', 'Performance appraisal/management', 'Individual assessment and psychometrics', 'Occupational health and well-being', 'Workplace bullying, aggression and violence', 'Remuneration and compensation', 'Training and training evaluation', 'Motivation in the workplace', 'Occupational stress', 'Occupational safety', 'Organizational culture', 'See also', 'References', 'References', 'Legacy', 'See also', 'Notes', 'References', 'Attribution'], ['Early life', 'Early political career', 'Tennessee state legislator', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['Equality', 'Equality before the law', 'Relational justice', 'Classical liberalism', 'Religion and spirituality', 'Abrahamic justice', 'Theories of sentencing', 'Evolutionary perspectives', 'Reactions to fairness', 'Institutions and justice', 'Literary career', 'Early works', 'The Bread-Winners', 'Lincoln biography', 'Assessment and legacy', 'Screen portrayals', 'See also', 'Notes', 'References', 'Bibliography']]



['Wikipedia: Diene', 'Wikipedia: Donald Campbell', 'Wikipedia: Eightfold path (policy analysis)', 'Wikipedia: Eastern Orthodox Church', 'Wikipedia: Frost', 'Wikipedia: List of islands of Greece', 'Wikipedia: Galatea', 'Wikipedia: Hacker', 'Wikipedia: Hydrus', 'Wikipedia: Counties of Ireland', 'Wikipedia: Jan Mayen', 'Wikipedia: Jock Taylor', 'Wikipedia: Jacob Abbott', 'Wikipedia: Joy Division']
[['Classes', 'Synthesis of dienes', 'Reactivity and uses', 'Polymerization', 'Family and personal life', 'Water speed records', 'Land speed record attempt', 'Ethnic groups', 'Mestizo Salvadorans', 'Indigenous Salvadorans', 'White Salvadorans', 'Arab Salvadorans', 'Pardo Salvadorans', 'Gallery', 'Vital statistics', 'UN estimates', 'Registered data', 'Formation and description', 'Islands', 'Tributaries', 'History', 'Narrowing the river', 'American Revolution', 'Development begins again', 'Filling in the river', 'Volcanism', 'Rings', 'Moons', 'Atmospheres', 'Comet-like tails', 'Insolation pattern', 'Habitability', 'See also', 'Notes', 'References', 'The New York taxi driver test', 'See also', 'References'], ['See also', 'References'], ['Plot', 'Cast', 'Production', 'Development', 'Script', 'Filming', 'Music', 'Release and reception', 'Pre-release', 'Sports', 'Football', "Va'a", 'Surfing', 'Kitesurfing', 'Diving', 'Rugby', 'Economy and infrastructure', 'Transportation', 'Communication', 'Early Roman calendar', 'Julian reform', 'Born on February 29', 'Legal status', 'In fiction', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'Folk traditions', 'Notable appearances in media', 'See also', 'References', 'Notes', 'Citations', 'Bibliography'], ['Early life', 'Parliamentarian', "Final years of the Queen's reign", 'James I comes to the throne', 'Lord Chancellor and public disgrace', 'Personal life', 'Religious beliefs', 'Marriage to Alice Barnham', 'Sexuality', 'Death', 'Canada', 'French Revolution', 'European Union', 'Germany', 'India', 'Asymmetric federalism', 'Coalition politics', 'Malaysia', 'Ethiopia'], ['Formation', 'Types', 'Licensing regulation', 'Tax collection', 'Labour regulation', 'Judicial procedure', 'Unemployment', 'Structure of the economy', 'Energy', 'Agriculture', 'Tourism', 'Logistics', 'History', 'Origins', 'Founders and founding time of Greenpeace', 'After Amchitka', 'Organizational development', 'Organizational structure', 'Governance', 'Funding', 'Summary of priorities and campaigns', 'Climate and energy', 'Media', 'Anime', 'OVAs', 'Manga', 'Novel sequel', 'Other media', 'Soundtracks', 'Reception', 'See also', 'Footnotes', 'History and philosophy', 'Biology', 'Computer science'], ['References', 'Further reading'], ['Biblical narratives', 'Genesis', 'Ezekiel', 'Proposed locations', 'Parallel concepts', 'Other views', 'Jewish eschatology', 'Legends', 'Sultans and Amirs of Damascus', 'Emirs of Aleppo', 'Mongol period', 'Mongol invasions', 'Islamic Mongol empires', 'Timurid Renaissance', 'Mamluk Sultanate', 'Bahri Sultans', 'Burji Sultans', 'Al-Andalus', 'Publications', 'See also', 'References'], ['References', 'History', 'Characteristics', 'Histories', 'Easter Island – Rapanui', 'Cook Islands', 'Fiji', 'Guam and the Northern Mariana Islands', 'Hawaii', 'Indonesia', 'South America', 'European colonization', 'Colonial period', 'Decolonization', 'Effects of slavery', '20th century', 'North America', 'Central America', 'See also', 'Notes', 'As a shepherd god', 'Historical and literary sources', 'In the Mycenaean period', 'In the Archaic period', 'In the Classical period', 'In the Hellenistic period', 'In the Roman period', 'In the Middle Ages', 'Temples and sacred places', 'Festivals', 'History', 'Infrastructure', 'Media', 'Print', 'Telephone', 'Radio', 'Television', 'Internet', 'Fast, uncrewed probes', 'Nanoprobes', 'Slow, crewed missions', 'Generation ships', 'Suspended animation', 'Frozen embryos', 'Island hopping through interstellar space', 'Fast missions', 'Time dilation', 'Constant acceleration', 'Terminology', 'History', 'Pre-Norman divisions of Ireland', 'Plantagenet era', 'Lordships', 'Division of lordships', 'Activities', 'Uniform Domain-Name Dispute Resolution Policy (UDRP)', 'Proposed elimination of public DNS whois', 'Criticism', 'TLD expansion', 'IBSA proposal (2011)', 'Montevideo Statement on the Future of Internet Cooperation (2013)', 'Global Multistakeholder Meeting on the Future of Internet Governance (2013)', 'NetMundial Initiative (2014)', '.sucks domain', 'Group behavior', 'Team effectiveness', 'Team composition', 'Task design', 'Organizational resources', 'Team rewards', 'Team goals', 'Job satisfaction and commitment', 'Productive behavior', 'Job performance'], ['Natural resources', 'Status', "Listing Bach's compositions", 'BG', 'NBG', 'BWV', 'BWV Anh.', 'BWV2a', '21st-century additions', 'Jackson disciple', 'Ways and Means chair and Speaker of the House', 'Governor of Tennessee', 'Election of 1844', 'Democratic nomination', 'General election', 'Presidency (1845–1849)', 'Transition, inauguration and appointments', 'Foreign policy', 'Partition of Oregon Country', 'Racing career', 'Death', 'Restoration', 'Annual Jock Taylor Memorial Race', 'References'], ['See also', 'Other pages', 'Types of justice', 'References', 'Further reading'], ['Further reading'], ['History']]



['Wikipedia: Diatessaron', 'Wikipedia: Emma Goldman', 'Wikipedia: Eden Project', 'Wikipedia: Geography of French Polynesia', 'Wikipedia: Francis Scott Key', 'Wikipedia: FDR (disambiguation)', "Wikipedia: Gödel's completeness theorem", 'Wikipedia: Hercules', 'Wikipedia: History of Africa', 'Wikipedia: Transport in Indonesia', 'Wikipedia: Iterative method', 'Wikipedia: Homosexuality and Judaism']
[['Cycloadditions', 'Other addition reactions', 'Metathesis reactions', 'Acidity', 'As ligands', 'References', 'The Double', 'Rocket car plans and final water speed record attempt', 'Bluebird Mach 1.1', 'Final record attempt', 'Death', 'Recovery of Bluebird K7 and the body of Donald Campbell', 'Legacy', 'Restoration', 'World speed records established by Donald Campbell', 'References', 'Structure of the population', 'Other demographic statistics', 'Age structure', 'Demographic profile', 'Median age', 'Birth rate', 'Death rate', 'Total fertility rate', 'Net migration rate', 'Population growth rate', 'Clearing Hell Gate', 'A new seawall', 'Bridges and tunnels', '20th and 21st centuries', 'Ecosystem collapse, pollution and health', '2017 oil spill', 'Crossings', 'In popular culture', 'Views of the river', 'See also', 'Further reading'], ['Biography', 'History', 'Design and construction', 'Site', 'Layout', 'Biomes', 'Name and characteristics', 'Orthodoxy', 'Catholicity', 'Organisation and leadership', 'Church councils', 'Adherents', 'Theology', 'Trinity', 'Sin, salvation, and the incarnation', 'Resurrection of Christ', 'Box office', 'Critical response', 'Accolades', 'Home media', 'See also', 'References', 'Further sources'], ['Notable people', 'See also', 'Notes', 'References', 'Bibliography'], ['References'], ['Early life', 'Entertainment', 'Politics', 'Technology', 'Other uses', 'See also', 'Philosophy and works', 'Influence', 'Science', 'North America', 'Law', 'Organization of knowledge', 'Historical debates', 'Bacon and Shakespeare', 'Occult theories', 'Bibliography', 'Nigeria', 'Pakistan', 'Levels of government', 'District', 'Tehsil', 'Union Council', 'South Africa', 'Russian Federation', 'United Arab Emirates', 'United States of America', 'Hoar frost', 'Advection frost', 'Window frost', 'White frost', 'Rime', 'Black frost', 'Effect on plants', 'Damage', 'Protection methods', 'Frost-free areas', 'Finance', 'Human Development Index of Georgia', 'See also', 'Further reading', 'Notes', 'References'], ['Kingsnorth court case', '"Go Beyond Oil"', 'Nuclear power', 'Anti-nuclear advertisement', 'EDF spying conviction and appeal', 'Ozone Layer and Greenfreeze', 'Forest campaign', 'Removal of an ancient tree', 'Wilmar International Palm Oil Issue', 'Resolute Forest Products Issue'], ['Preliminaries', 'Statement', 'Islands of Greece by size', 'Saronic Islands', 'Inhabited islands', 'Uninhabited islands', 'Northern Sporades', 'Main islands', 'Other islands and islets', 'Ionian Islands', 'Main seven', 'In mythology', 'In the arts', 'Fictional characters', 'In science', 'Places', 'Ships', 'Other uses', 'See also', 'Islamic view', 'Latter Day Saints', 'Art', 'See also', 'References', 'Bibliography'], ['Emirs of Al-Andalus', 'Caliphs of Al-Andalus', 'Almoravid Ifriqiyah and Iberia', 'Almohad caliphs', 'Islam in Africa', 'Maghreb', 'Horn of Africa', 'Great Lakes', 'Islam in East Asia', 'Indian subcontinent', 'Definitions', 'General definition', 'Representation in mainstream media', 'Representation in network news', 'Types', 'Hacker culture', 'Security related hacking', 'White hat hacker', 'Black hat hacker', 'Features', 'Stars', 'Deep-sky objects', 'References'], ['Japan', 'Kiribati', 'Malaysia', 'New Caledonia', 'New Zealand', 'Niue Island', 'Papua New Guinea', 'Philippines', 'Samoa', 'Solomon Islands', 'Further reading', 'Prehistory', 'Paleolithic', 'Epithets', 'Atlantiades', 'Kriophoros', 'Argeïphontes', 'Messenger and guide', 'Trade', 'Dolios ("tricky")P Young-Eisendrath, The Cambridge Companion to Jung, Cambridge University Press, 2008, .===', 'Thief', 'Patron of thieves', 'Additional', 'Regulatory environment in Indonesia', 'References', 'See also', 'Propulsion', 'Rocket concepts', 'Ion engine', 'Nuclear fission powered', 'Fission-electric', 'Fission-fragment', 'Nuclear pulse', 'Nuclear fusion rockets', 'Antimatter rockets', 'Rockets with an external energy source', 'Passage to the Crown', 'Tudor era', 'Demarcation of counties and Tipperary', 'Sub-divisions of counties', 'Counties corporate', 'Exceptions to the county system of control', 'Evolution of functions', '19th and 20th centuries', 'Historical and traditional counties', 'Current usage', '.islam, .halal top level domains', '.amazon gTLD dispute', 'See also', 'References', 'Further reading'], ['Organizational citizenship behavior', 'Innovation', 'Counterproductive work behavior', 'Leadership', 'Leader-focused approaches', 'Contingency-focused approaches', 'Follower-focused approaches', 'Organizational development', 'Relation to organizational behavior', 'Training', 'Society', 'Demography', 'Transport', 'Communication', 'History', 'Unverified "discoveries" of a terra nullius', 'Jan Mayen during the Golden Age of Dutch exploration and discovery (c. 1590s–1720s)', 'First verified discoveries: mapping and naming', 'Dutch whaling base', '19th and 20th centuries', 'Reconstructed versions', 'BWV3', 'NBA', 'NBArev', 'BC', 'BNB', 'SBB', 'By opus number, and chronological lists', 'Other composers', "Works in Bach's catalogues and collections", 'Annexation of Texas', 'Mexican-American War', 'Road to war', 'Course of the war', 'Peace: the Treaty of Guadalupe Hidalgo', 'Postwar and the territories', 'Other initiatives', 'Domestic policy', 'Fiscal policy', 'Development of the country', 'Homosexuality in the Hebrew Bible', 'Rabbinic Jewish application and interpretation of these verses', 'Prohibitions for gay men besides anal intercourse', 'Early life', 'Education', 'Career', 'Personal life', 'Select Bibliography', 'Biographies', 'American History Series', 'Formation', 'Early releases', 'Unknown Pleasures and breakthrough', 'Closer and health problems', "Curtis' suicide and aftermath", 'Musical style', 'Sound', 'Lyrics', 'Live performances', 'Influences']]



['Wikipedia: Directed set', 'Wikipedia: Existentialism', 'Wikipedia: Edwin Hubble', 'Wikipedia: Fresco', 'Wikipedia: Franz Schmidt', 'Wikipedia: Telecommunications in Georgia (country)', 'Wikipedia: Gulf of Oman', 'Wikipedia: Glottis', 'Wikipedia: John Stevens Cabot Abbott']
[['Overview', 'Recensions and translations', "Tatian's harmony", 'Diatessaron in Syriac Christianity', 'Vernacular harmonies derived from the Diatessaron', 'Names for the Gospel harmony', 'Use of word "God"', 'Further reading'], ['Equivalent definition', "Mother's mean age at first birth", 'Contraceptive prevalence rate', 'Dependency ratios', 'Life expectancy at birth', 'Urbanization', 'Languages', 'Religions', 'Literacy', 'School life expectancy (primary to tertiary education)', 'Unemployment, youth ages 15-24', 'References'], ['Etymology', 'Family', 'Adolescence', 'Rochester, New York', 'Most and Berkman', 'Homestead plot', '"Inciting to riot"', 'McKinley assassination', "Mother Earth and Berkman's release", 'Reitman, essays, and birth control', 'World War I', 'The Core', 'Art at The Core', 'Environmental aspects', 'Other projects', 'Eden Project North', 'South Downs', 'Eden Sessions', 'In the media', 'See also', 'References', 'Christian life', 'Virgin Mary and other saints', 'Eschatology', 'Bible', 'Holy Tradition and the patristic consensus', 'Territorial expansion and doctrinal integrity', 'Worship', 'Church calendar', 'Church services', 'Music and chanting', 'Biography', 'Discoveries', 'Universe goes beyond the Milky Way galaxy', 'Redshift increases with distance', "Accusations concerning Lemaître's priority", 'Physical geography', 'Climate', 'Statistics', 'See also', 'References', '"The Star-Spangled Banner"', 'Legal career', 'Key and slavery', 'Anti-abolitionism', 'Prosecution of Reuben Crandall', 'Religion', 'Death and legacy', 'Monuments and memorials', 'See also', 'References', 'Technology', 'Other types of wall painting', 'History', 'Egypt and Ancient Near East', 'See also', 'Notes', 'References', 'Sources', 'Primary sources', 'Secondary sources', 'Further reading'], ['Venezuela', 'With two components', 'Belgium', 'Other examples', 'Proposed', 'China', 'Japan', 'Libya', 'Myanmar', 'Philippines', 'Personifications', 'Gallery', 'See also', 'References'], ['Radio and television', 'Cellular Networks', 'Fix Telephony, Internet and IP Television', 'Internet censorship and surveillance', 'See also', 'References', 'Tokyo Two', 'Genetically modified organisms (GMOs)', 'Greenpeace on golden rice', 'Toxic waste', 'Guide to Greener Electronics', 'Save the Arctic', 'Norway', 'Ships', 'In service', 'Previously in service', "Gödel's original formulation", 'More general form', 'Model existence theorem', 'As a theorem of arithmetic', 'Consequences', 'Relationship to the second incompleteness theorem', 'Relationship to the compactness theorem', 'Completeness in other logics', 'Proofs', 'See also', 'Others', 'Dodecanese Islands', 'Main 12 islands', 'Minor islands', 'Aegean Islands', 'Of the Aegean Sea', 'Of the Thracian Sea', 'The Cyclades', 'Cretan islands', 'Of the Libyan Sea', 'Extent', 'Alternative names', 'Bordering countries', 'Major ports', 'International trade', 'Structure', 'Function', 'Phonation', 'Additional images', 'References'], ['Southeast Asia', 'China', 'Early Modern period', 'Ottoman Empire', 'Safavid Empire', 'Mughal Empire', 'Modern period', 'Ottoman Empire partition', 'Arab–Israeli conflict', 'Other Islamic affairs', 'Grey hat hacker', 'Motives', 'Overlaps and differences', 'See also', 'References', 'Further reading', 'Computer security', 'Free software/open source'], ['Mythology', 'Birth and early life', 'The 12 Labours', 'Side adventures', 'Death', 'Roman era', 'Germanic association', 'Medieval mythography', 'Tahiti', 'Taiwan', 'Tokelau', 'Tonga', 'Tuvalu', 'Vanuatu', 'Other islands', 'See also', 'References', 'Emergence of agriculture and desertification of the Sahara', 'Central Africa', 'Metallurgy', 'Antiquity', 'Ancient Egypt', 'Nubia', 'Carthage', 'Role of the Berbers', 'Somalia', 'Roman North Africa', 'Mythology', 'Early Greek sources', 'Homer and Hesiod', 'Athenian tragic playwrights', 'Aesop', 'Hellenistic Greek sources', 'Lovers and children', 'List of lovers and other children', 'Genealogy', 'In Jungian psychology', 'Water transport', 'Merchant marine vessels', 'Waterways', 'Ports and harbours', 'Roads and highways', 'National routes', 'Toll roads', 'Java', 'Sumatra', 'Sulawesi', 'Non-rocket concepts', 'RF resonant cavity thruster', 'Helical engine', 'Interstellar ramjets', 'Beamed propulsion', 'Interstellar travel catalog to use photogravitational assists for a full stop', 'Pre-accelerated fuel', 'Theoretical concepts', 'Faster-than-light travel', 'Alcubierre drive', 'In the Republic of Ireland', 'Education', 'Elections', 'In Northern Ireland', 'Other uses', 'List of counties', 'See also', 'Notes', 'References'], ['Attractive fixed points', 'Linear systems', 'Stationary iterative methods', 'Introduction', 'Definition', 'Examples', 'Krylov subspace methods', 'Competencies', 'Job outlook', 'Ethics', 'See also', 'References', 'Further reading'], ['Environment', 'Nature reserve', 'Geography and geology', 'Important Bird Area', 'Climate', 'See also', 'References', 'Notes', 'Citations', 'Bibliography', 'By genre', 'Cantatas (BWV 1–224)', 'Motets (BWV 225–231)', 'Liturgical works in Latin (BWV 232–243)', 'Passions and oratorios (BWV 244–249)', 'Four-part chorales (BWV 250–438)', 'Songs and arias (BWV 439–524)', 'Works for organ (BWV 525–771)', 'Works for keyboard (BWV 772–994)', 'Works for solo lute (BWV 995–1000)', 'Judicial appointments', 'Election of 1848', 'Post-presidency and death', 'Burials', 'Polk and slavery', 'Legacy and historical view', 'See also', 'Notes', 'References', 'Bibliography', 'Applicability of Biblical death penalty', 'Lesbian sexual activity', 'Same-sex marriage in the Midrash and the Talmud', 'Reasons for the prohibition', 'Orthodox Jewish views', '2008 Israeli Document of Principles', 'Statement by Rabbis Schachter, Willig, Rosensweig, and Twersky (2010)', 'July 2010 public statement by some leaders', '2016 edict signed by some Israeli Orthodox rabbis', 'Ex-gay organizations', 'References', 'Additional sources'], ['Legacy', 'Band members', 'Timeline', 'Discography', 'References', 'Further reading'], []]



['Wikipedia: Dean Koontz', 'Wikipedia: Edward Bellamy', 'Wikipedia: Politics of El Salvador', 'Wikipedia: European Commission', 'Wikipedia: Demographics of French Polynesia', 'Wikipedia: FSU', 'Wikipedia: February 2', 'Wikipedia: Transport in Georgia (country)', 'Wikipedia: Global Boundary Stratotype Section and Point', 'Wikipedia: Grammatical case', 'Wikipedia: Gurmukhi', 'Wikipedia: Hittites', 'Wikipedia: Heart of Darkness', 'Wikipedia: Harp', 'Wikipedia: Hedge fund', 'Wikipedia: Information Sciences Institute', 'Wikipedia: International judicial institution', 'Wikipedia: International Council of Unitarians and Universalists', 'Wikipedia: Jarvis Island', 'Wikipedia: January 4', 'Wikipedia: Jacobite']
[['See also', 'Footnotes', 'References', 'Further reading'], ['Examples', 'Contrast with semilattices', 'Directed subsets', 'See also', 'Notes', 'References', 'Nationality', 'Notable Salvadoran people', 'See also', 'References', 'Definitional issues and background', 'Concepts', 'Existence precedes essence', 'The absurd', 'Facticity', 'Authenticity', 'The Other and the Look', 'Angst and dread', 'Despair', 'Opposition to positivism and rationalism', 'Deportation', 'Russia', 'England, Canada, and France', 'Spanish Civil War', 'Final years', 'Death', 'Philosophy', 'Anarchism', 'Tactical uses of violence', 'Capitalism and labor', 'Further reading'], ['History', 'Incense', 'Fasting', 'Almsgiving', 'Traditions', 'Monasticism', 'Icons and symbols', 'Icons', 'Iconostasis', 'Cross', 'Art and architecture', 'Attempt at obtaining the Nobel Prize', 'Stamp', 'Honors', 'Awards', 'Namesakes', 'Other notable appearances', 'In popular culture', 'See also', 'References', 'Further reading', 'Births and deaths', 'CIA World Factbook demographic statistics', 'Age structure', 'Population growth rate', 'Birth rate'], ['See also', 'Aegean civilizations', 'Classical antiquity', 'India', 'Sri Lanka', 'Middle Ages', 'Early modern Europe', 'Mexican muralism', 'Selected examples of frescoes', 'Conservation of frescoes', 'Gallery', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'References', 'Spain', 'Sri Lanka', 'Syria', 'United Kingdom', 'Europe vs. the United States', 'Anarchism', 'Christian Church', 'Constitutional structure', 'Division of powers', 'Bicameralism', 'Life', 'Musical works', 'Fredigundis', 'The Book with Seven Seals', 'Symphonies', 'Schmidt and National Socialism', 'Listing of works', 'Operas'], ['Railways', 'Railway links with adjacent countries', 'First Rainbow Warrior', 'Second Rainbow Warrior', 'Others', 'Reactions and responses to Greenpeace activities', 'Criticism', 'Brent Spar tanker', 'Pascal Husting commute', 'Nazca Lines', 'Anti-whaling campaign in Norway in the 1990s', 'Open letter from Nobel laureates', 'Further reading'], ['Rules', 'Euboea and surrounding islands', 'Islands close to Athens', 'Islets close to mainland', 'Lake and river islands', 'Islands in an island', 'Lagoon islands', 'See also', 'Notes', 'References'], ['Ecology', 'See also', 'References', 'Further reading', 'History and development', 'The term Gurmukhī', 'Characters', 'See also', 'Notes', 'References', 'Sources'], ['Composition and publication', 'Plot summary', 'Reception', 'Adaptations and influences', 'Renaissance mythography', 'Worship', 'Road of Hercules', 'Worship from women', 'Worship in myth', 'Hercules and the Roman triumph', 'In art', 'Modern era', 'In numismatics', 'Military', 'History of origins', 'Variations', 'Origin', 'Near East Asia', 'Aksum', 'West Africa', 'Bantu expansion', 'Medieval and Early Modern (6th to 18th centuries)', 'Sao civilization', 'Kanem Empire', 'Bornu Empire', 'Shilluk Kingdom', 'Baguirmi Kingdom', 'Wadai Empire', 'Hermes in popular culture', 'See also', 'Notes', 'References', 'Further reading'], ['Bali', 'Kalimantan', 'Railways', 'Pipelines', 'Air transport', 'Airports', 'Airlines', 'Mudik', 'See also', 'Notes', 'Artificial black hole', 'Wormholes', 'Designs and studies', 'Enzmann starship', 'Project Hyperion', 'NASA research', '100 Year Starship study', 'Other designs', 'Non-profit organizations', 'Feasibility', 'Research and sponsors', 'History', 'Other achievements', 'Convergence of Krylov subspace methods', 'Preconditioners', 'History', 'See also', 'References'], ['History', 'Principles and purposes', 'Members', 'Full members', 'Reorganizing', 'Provisional members'], ['Geography and ecology', 'History', 'Chamber music (BWV 1001–1040)', 'Orchestral works (BWV 1041–1071)', 'Canons (BWV 1072–1078)', 'Late contrapuntal works (BWV 1079–1080)', '20th-century additions to the BWV catalogue and Anhang', 'Additions to the main catalogue (BWV 1081–1126)', 'Additions to the Anhang (BWV Anh. 190–213)', '21st-century additions to the BWV catalogue (BWV 1127 and higher)', 'Derivative works', 'Reconstructed concertos', 'Further reading', 'Primary sources'], ['Other viewpoints', 'Conservative Judaism', 'Reform Judaism', 'Reconstructionist Judaism', 'Jewish Renewal', 'Humanistic Judaism', 'LGBT-affirmative activities', 'See also', 'Notes', 'Sources', 'Early life', 'Literary career', 'Marriage and children', 'Selected bibliography', 'Inspirational/religious', 'Historical', 'Biographies', 'Juvenile', 'References'], ['Religion', 'Politics', 'Music', 'Other', 'See also']]



['Wikipedia: Emperor Ninmyō', 'Wikipedia: Formal language', 'Wikipedia: Fire', 'Wikipedia: February 3', 'Wikipedia: George Whipple', 'Wikipedia: Gough Whitlam', 'Wikipedia: Gian Lorenzo Bernini', 'Wikipedia: History of Poland', 'Wikipedia: Indonesian National Armed Forces', 'Wikipedia: Interior Gateway Routing Protocol', 'Wikipedia: Information security', 'Wikipedia: Itanium', 'Wikipedia: July 30', 'Wikipedia: John Dewey', 'Wikipedia: Janus (disambiguation)', 'Wikipedia: Johnny Bench']
[['Early life', 'Career', 'Pet dogs', 'Disputed authorship', 'Bibliography', 'Screenplays', 'Film adaptations', 'References', 'Biography', 'Early years', 'Literary career', 'Bellamyite movement', 'Death and legacy', 'Published works', 'Novels', 'Political culture', 'Executive branch', 'Legislative branch', 'Judicial branch', 'Foreign relations', 'References'], ['Religion', 'Confusion with nihilism', 'History', '19th century', 'Kierkegaard and Nietzsche', 'Dostoyevsky and Sartre', 'Early 20th century', 'After the Second World War', 'Influence outside philosophy', 'Art', 'State: militarism, prison, voting and speech', 'Feminism and sexuality', 'Atheism', 'Legacy', 'Works', 'Books', 'Edited collections', 'See also', 'References', 'Sources', 'Establishment', 'Early development', 'Jacques Delors', 'Jacques Santer', 'Romano Prodi', 'José Manuel Barroso', 'Jean-Claude Juncker', 'Ursula von der Leyen', 'Powers and functions', 'Executive power', 'Local customs', 'Holy mysteries (sacraments)', 'Baptism', 'Chrismation', 'Holy Communion (Eucharist)', 'Repentance (Confession)', 'Marriage', 'Holy orders', 'Unction', 'History'], ['Traditional narrative', "Events of Ninmyō's life", 'Death rate', 'Net migration rate', 'Sex ratio', 'Infant mortality rate', 'Life expectancy at birth', 'Total fertility rate', 'Nationality', 'Ethnic groups', 'Religions', 'Languages', 'History', 'Words over an alphabet', 'Definition', 'Examples', 'See also', 'References'], [], ['Events', 'Births', 'Intergovernmental relations', 'Constitutional change', 'Other technical terms', 'Political philosophy', 'Conflict reducing device', 'See also', 'Notes and references'], ['Oratorio', 'Cantata', 'Piano concertos', 'Other orchestral works', 'Chamber music', 'Music for trumpets', 'Music for organ and trumpet', 'Piano music', 'Organ works', 'Notes', '2007', 'Towns served by rail', 'Highways', 'Motorways', 'Pipelines', 'Black Sea Ports and harbors', 'Merchant marine', 'Airports', 'Airports - with paved runways', 'Airports - with unpaved runways', 'See also', 'References', 'Further reading'], ['Agreed-upon Global Boundary Stratotype Section and Points', 'Global Standard Stratigraphic Ages', 'See also', 'Notes', 'References'], ['Life and career', 'Early life', 'Works for Cardinal Scipione Borghese', 'History', 'Etymology', 'Indo-European languages', 'Modern English', 'Hierarchy of cases', 'Case order', 'Case concord systems', 'Declension paradigms', 'Examples', 'Letters', 'Supplementary letters', 'Subscript letters', 'Vowel diacritics', 'Orthography', 'Other signs', 'Nasalisation', 'Gemination', 'Vowel suppression', 'Punctuation', 'Archaeological discovery', 'Biblical background', 'Initial discoveries', 'Writings', 'Museums', 'Geography', 'History', 'Origins', 'Radio and stage', 'Film and television', 'Video games', 'Literature', 'Notes', 'References', 'Further reading'], ['Other cultural references', 'In films', 'See also', 'References'], ['South Asia', 'East Asia', 'Structure and mechanism', 'Development and history', 'Europe', 'Americas', 'Africa', 'South and Southwest Asia', 'Modern European and American harps', 'Concert harp', 'Luba Empire', 'Lunda Empire', 'Kingdom of Kongo', 'Horn of Africa', 'Ethiopia', 'North Africa', 'Maghreb', 'Nile Valley', 'Egypt', 'Sudan', 'Introduction', 'History', 'Notable hedge fund managers', 'Strategies', 'Global macro', 'Directional', 'Event-driven', 'References'], ['History', 'Interstellar missions not for human benefit', 'Discovery of Earth-Like planets', 'See also', 'References', 'Further reading'], ['Organizational structure', 'References'], ['International courts', 'International arbitral tribunals', 'Quasi-judicial international institutions', 'African regional judicial institutions', 'Regional judicial institutions of the Americas', 'European regional judicial institutions', 'Emerging groups', 'Associates', 'Unitarian or Universalist groups which are in contact but with no formal link to the ICUU', 'See also', 'References'], ['Discovery', 'Nineteenth-century guano mining', 'Wreck of barquentine Amaranth', 'Millersville (1935–1942)', 'International Geophysical Year', 'National Wildlife Refuge', 'Transportation', 'Military', 'See also', 'References', 'Adaptations', 'See also', 'References', 'Further reading'], ['Events', 'Births', 'Deaths', 'Holidays and observances', 'Notes', 'References'], ['Further reading'], ['Life and works', 'Computing', 'People', 'Performing arts', 'Major League Baseball career', '1960s', '1970s', '1980s']]



['Wikipedia: Drake equation', 'Wikipedia: E', 'Wikipedia: Economy of El Salvador', 'Wikipedia: Equuleus', 'Wikipedia: Politics of French Polynesia', 'Wikipedia: Free On-line Dictionary of Computing', 'Wikipedia: Firmin Abauzit', 'Wikipedia: Fucking', 'Wikipedia: Defense Forces of Georgia', 'Wikipedia: Hinduism', 'Wikipedia: IRS (disambiguation)', 'Wikipedia: International Prize Court', 'Wikipedia: Jersey', 'Wikipedia: January 6', 'Wikipedia: Jasmuheen']
[[], ['Equation', 'History', 'Short stories', 'See also', 'References', 'Bibliography', 'Further reading'], ['Public sector', 'Economic sectors', 'Remittances', 'Agriculture', 'Manufacturing', 'Film and television', 'Literature', 'Theatre', 'Psychoanalysis and psychotherapy', 'Criticisms', 'General criticisms', "Sartre's philosophy", 'See also', 'References', 'Citations', 'Further reading'], ['Notable features', 'Legislative initiative', 'Enforcement', 'College', 'Appointment', 'Dismissal', 'Political styles', 'Administration', 'Press', 'Legitimacy and criticism', 'Initiatives', 'Early Church', 'Ecumenical councils', 'Roman/Byzantine Empire', 'Early schisms', 'Conversion of South and East Slavs', 'Great Schism (1054)', 'Greek Church under Ottoman rule', 'Russian Orthodox Church in the Russian Empire', 'Orthodox churches under Communist rule', 'Interfaith relations', "Eras of Ninmyō's reign", 'Kugyō', 'Consorts and children', 'Ancestry', 'See also', 'Notes', 'References'], ['See also', 'References', 'Executive branch', 'Language-specification formalisms', 'Operations on languages', 'Applications', 'Programming languages', 'Formal theories, systems, and proofs', 'Interpretations and models', 'See also', 'Notes', 'References', 'Physical properties', 'Chemistry', 'Flame', 'Flame temperatures', 'Temperatures of flames by appearance', 'Typical temperatures of flames', 'Fire ecology', 'Fossil record', 'Human control', 'Use as fuel', 'Deaths', 'Holidays and observances', 'References'], ['Biography', 'Legacy', 'Works', 'Footnotes', 'References', 'References'], ['See also', 'See also'], ['Notes', 'Early life', 'Education', 'Career', 'Retirement', "Whipple's research", 'Nobel Prize, honors and distinctions', 'See also', 'Further reading', 'References', 'Early life', 'Military service', 'Early political career, 1952–1967', 'Member of Parliament, 1952–1960', 'Deputy Leader, 1960–1967', 'Leader of the Opposition, 1967–1972', 'Reforming the ALP', 'Papal artist: the pontificate of Urban VIII', 'Temporary eclipse and resurgence under Innocent X', 'Embellishment of Rome under Alexander VII', 'Visit to France and service to King Louis XIV', 'Later years and death', 'Personal life', 'Architecture', 'Personal residences', 'Fountains in Rome', 'Tomb monuments and other works', 'Assamese', 'Australian Aboriginal Languages', 'Belarusian', 'German', 'Greek', 'Hindi', 'Japanese', 'Korean', 'Latin', 'Latvian', 'Numerals', 'Unicode', 'Digitization of Gurmukhī manuscripts', 'Bibliography', 'See also', 'Notes', 'References'], ['Early Period', 'Old Kingdom', 'Middle Kingdom', 'New Kingdom', 'Battle of Kadesh', 'Downfall and demise of the Kingdom', 'Syro-Hittite states', 'Government', 'Religion in Early Hittite Government to establish control', 'Political dissent in the Old Kingdom', 'Etymology', 'Definitions', 'Typology', 'Hindu views', 'Prehistory and protohistory', 'Piast period (10th century–1385)', 'Mieszko I', 'Bolesław I the Brave', 'Piast monarchy under Casimir I, Bolesław II and Bolesław III', 'Fragmentation', 'Late Piast monarchy under Władysław I and Casimir III', 'Angevin transition', 'Folk, lever, and Celtic instruments', 'Multi-course harps', 'Chromatic-strung harps', 'Electric harps', 'Terminology and etymology', 'As a symbol', 'Political', 'Ireland', 'Elsewhere', 'Religious', 'Christian and Islamic Nubia', 'Southern Africa', 'Great Zimbabwe and Mapungubwe', 'Namibia', 'South Africa and Botswana', 'Sotho–Tswana', 'Nguni peoples', 'Khoisan and Boers', 'Southeast Africa', 'Swahili coast', 'Relative value', 'Miscellaneous', 'Risk', 'Risk management', 'Transparency, and regulatory considerations', 'Risks shared with other investment types', 'Fees and remuneration', 'Fees paid to hedge funds', 'Remuneration of portfolio managers', 'Structure', 'Future plans', 'Naming history', 'Philosophy and doctrine', 'Organisation', 'Leadership elements', 'Auxiliary elements of leadership', 'Service Elements', 'Central Executive Agencies', 'Principal Operational Commands', 'Branches', 'Advancement', 'References'], ['Definition', 'Overview', 'Threats', 'Responses to threats', 'History', 'Basic principles', 'Key concepts', 'Confidentiality', 'Integrity', 'Availability', 'References', 'Further reading', 'History', 'Development: 1989–2000', 'Itanium (Merced): 2001', 'Itanium 2: 2002–2010', 'Itanium 9300 (Tukwila): 2010', 'Itanium 9500 (Poulson): 2012', 'HP vs. Oracle'], ['Toponymy', 'Origin of the name', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['Visits to China and Japan', 'Visit to Southern Africa', 'Functional psychology', 'Pragmatism, instrumentalism, consequentialism', 'Epistemology', 'Logic and method', 'Aesthetics', 'On philanthropy, women and democracy', 'On education and teacher education', 'Professionalization of teaching as a social service', 'Music', 'Film', 'Other performing arts', 'Printed media', 'Comics', 'Other printed media', 'Games and gaming', 'Places', 'Science', 'Other uses', 'MLB career statistics', 'Personal life', 'Honors and post-career activities', 'See also', 'References'], []]



['Wikipedia: Ellipsis', 'Wikipedia: Emperor Montoku', 'Wikipedia: Free to Choose', 'Wikipedia: First-order predicate', 'Wikipedia: French Foreign Legion', 'Wikipedia: Finnish Civil War', 'Wikipedia: Göktürks', 'Wikipedia: Geneva College', 'Wikipedia: Hollow Earth', 'Wikipedia: Imam', 'Wikipedia: John A. Macdonald', 'Wikipedia: January 7', 'Wikipedia: John Brown']
[['Usefulness', 'Estimates', 'Original estimates', 'Current estimates', 'Rate of star creation in our galaxy,', 'Fraction of those stars that have planets,', 'Average number of planets that might support life per star that has planets,', 'Fraction of the above that actually go on to develop life,', 'Fraction of the above that develops intelligent life,', 'Fraction of the above revealing their existence via signal release into space,', 'History', 'Use in writing systems', 'English', 'Other languages', 'Other systems', 'Most common letter', 'Related characters', 'Services', 'Trade', 'Natural disasters: Hurricane Mitch (1998) and the earthquakes (2001)', 'Macro-economic trend', 'See also', 'References'], ['Bibliography', 'Further reading'], ['Journals and articles', 'Stars', 'Deep-sky objects', 'Mythology', 'Equivalents', 'In fiction', 'References'], ['Anti-terrorism', 'COVID-19 response', 'Location', 'See also', 'Notes', 'References'], ['Relations with other Christians', 'Relations with Islam', 'Present', 'Main communion', 'Traditionalist groups', 'True Orthodox', 'Old Believers', 'Churches not in communion with others', 'See also', 'Notes', 'Traditional narrative', "Events of Montoku's life", 'Kugyō', "Eras of Montoku's reign", 'Consorts and children', 'Legislative branch', 'Political parties and elections', 'Judicial branch', 'Administrative divisions', 'International organization participation', 'See also', 'References'], ['Citations', 'Sources'], ['Protection and prevention', 'Restoration', 'See also', 'References', 'Explanatory footnotes', 'Citations', 'General bibliography'], ['History', 'Open sourcing', 'Recognition', 'References'], [], ['History', 'Conquest of Algeria 1830–1847', 'Background', 'International politics', 'Domestic politics', 'History', '21st century', 'Reconstruction', '2014 NATO summit in Wales', 'Alternative to MAP', 'Organization', 'Structure', 'Branches', 'Ground arms', 'Force composition'], ['Etymology', 'Origins', 'Leader of the Opposition', 'Prime Minister, 1972–1975', 'Duumvirate', 'Enacting a program', 'Early troubles', 'Murphy raids', 'Gair Affair', 'Second term, 1974–1975', 'Dismissal', 'Alleged CIA involvement', 'Paintings and drawings', 'Disciples, collaborators, and rivals', 'The first biographies', 'Legacy', 'Selected works', 'Sculpture', 'Architecture and fountains', 'Paintings', 'Gallery', 'References', 'Lithuanian', 'Malayalam', 'Polish', 'Hungarian', 'Romanian', 'Russian', 'Sanskrit', 'Tamil', 'Telugu', 'Turkish', 'History', 'Presidents', 'Administration', 'Academics', 'Affiliations and accreditations', 'The Pankus', 'Language', 'Art', 'Religion and mythology', 'Law', 'Use of laws', 'Law reform', 'Examples of laws', 'Biblical Hittites', 'See also', 'Vaidika dharma', 'Hindu modernism', 'Legal definitions', 'Scholarly views', 'Diversity and unity', 'Diversity', 'Sense of unity', 'Classical Hinduism', 'Medieval developments', 'Colonial period and neo-Vedanta', 'Jagiellonian dynasty (1385–1572)', 'Dynastic union with Lithuania, Władysław II Jagiełło', 'Władysław III and Casimir IV Jagiellon', 'Early modern Poland under Sigismund I and Sigismund II', 'Polish–Lithuanian Commonwealth', 'Establishment (1569–1648)', 'Union of Lublin', 'First elective kings', 'First kings of the Vasa dynasty', 'Decline (1648–1764)', 'Corporate', 'See also', 'References', 'Sources'], ['Urewe', 'Madagascar and Merina', 'Lake Plateau states and empires', 'Kitara and Bunyoro', 'Buganda', 'Rwanda', 'Burundi', 'Maravi', 'Sahelian empires & states', 'Ghana', 'Prime broker', 'Administrator', 'Distributor', 'Auditor', 'Domicile and taxation', 'Basket options', 'Investment manager locations', 'Legal entity', 'Types of funds', 'Side pockets', 'Special Forces Unit', 'Budget', 'Commander of the Indonesian National Armed Forces', 'Personnel', 'Rank structures', 'Armed Forces Pledge (Sapta Marga)', 'See also', 'References', 'Further reading'], ['Arts and entertainment', 'Economics', 'Organisations', 'Medicine', 'Transportation', 'Other uses', 'Non-repudiation', 'Risk management', 'Security controls', 'Administrative', 'Logical', 'Physical', 'Defense in depth', 'Security classification for information', 'Access control', 'Identification', 'Sunni imams', "Shi'a imams", 'Twelver', 'Ismaili', 'Zaidi', 'Itanium 9700 (Kittson): 2017', 'Market share', 'Hardware support', 'Systems', 'Chipsets', 'Software support', 'Compiler', 'Emulation', 'Competition', 'Supercomputers and high-performance computing', 'History', 'Politics', 'Legal system', 'Parishes', 'International relations', 'International identity', 'Relationship with the European Union', 'Separation debate', 'Geography', 'Climate', 'Early years, 1815–1830', 'Legal career, 1830–1843', 'Legal training and early career, 1830–1837', 'Professional prominence, 1837–1843', 'Political rise, 1843–1864', 'Events', 'Births', 'Deaths', "A teacher's knowledge", "A teacher's skill", "A teacher's disposition", 'The role of teacher education to cultivate the professional classroom teacher', 'On journalism', 'On humanism', 'Social and political activism', 'Other interests', 'Religion', 'Criticism', 'See also', 'Academics', 'Doctors', 'Early life', 'Breatharianism', 'Deaths of followers', 'Publications', 'References'], []]



['Wikipedia: Telecommunications in El Salvador', 'Wikipedia: Eridanus', 'Wikipedia: Linear filter', 'Wikipedia: Eusebius of Nicomedia', 'Wikipedia: Emperor Seiwa', 'Wikipedia: Economy of French Polynesia', 'Wikipedia: FIDE', 'Wikipedia: Snap (gridiron football)', 'Wikipedia: German literature', 'Wikipedia: Hormone', 'Wikipedia: Foreign relations of Indonesia', 'Wikipedia: Indo-European languages', 'Wikipedia: January 8', 'Wikipedia: Jell-O']
[['Lifetime of such a civilization wherein it communicates its signals into space,', 'Range of results', 'Have other technological species ever existed?', 'Modifications', 'Criticism', 'Fermi paradox', 'In fiction and popular culture', 'See also', 'Notes', 'References', 'Descendants and related characters in the Latin alphabet', 'Ancestors and siblings in other alphabets', 'Derived signs, symbols and abbreviations', 'Computing codes', 'Other representations', 'References'], ['Radio and television', 'Telephones', 'Internet', 'Internet censorship and surveillance', 'See also', 'References', 'Background', 'In writing', 'In different languages', 'In American English', 'In British English', 'In Polish', 'In Russian', 'In Japanese', 'In Chinese', 'Rivers', 'Astronomy', 'Miscellaneous', 'Impulse response and transfer function', 'Infinite impulse response filters', 'Finite impulse response filters', 'Implementation issues', 'Frequency response', 'FIR transfer functions', 'References', 'Citations', 'Sources', 'Tertiary reference works', 'Further reading'], ['Ancestry', 'See also', 'Notes', 'References', 'History', 'Past economy', '21st century', 'Agriculture', 'Electricity', 'Overview', 'Guest debaters', 'Positions advocated', 'Video chapters (1980 version)', 'Video chapters (1990 version)', 'References'], ['Role', 'History', 'Foundation and early years (up to 1939)', '1946 to 1993', 'Birth of the World Championship challenge cycle', 'See also', 'References', 'Carlist War 1835–1839', 'Crimean War', 'Italian Campaign 1859', 'Mexican Expedition 1863–1867', 'Franco-Prussian War 1870', 'Tonkin Campaign and Sino-French War 1883–1888', 'Colonisation of Africa', 'Second Franco-Dahomean War 1892–1894', 'Second Madagascar Expedition 1894–1895', 'Mandingo War 1898', 'February Revolution', 'Build-up', 'Contest for leadership', 'October Revolution', 'Independence of Finland', 'Warfare', 'Escalation', 'Opposing parties', 'Red Finland and White Finland', 'Soldiers and weapons', 'Separate Elements', 'Special Operations Forces', 'Army Air Section (former Air Force)', 'Georgian Coast Guard (Former Naval Force)', 'National Guard of Georgia', 'Army Reserve and Territorial Defence Forces', 'Commissioned officers', 'International cooperation', 'Peacekeeping missions', 'Commanders', 'Expansion', 'Conquest by the Tang', 'Rulers', 'Genetics', 'See also', 'In popular culture', 'References', 'Sources', 'Return to Opposition, 1975–1978', 'Later years and death, 1978–2014', 'Memorials', 'Legacy', 'Published works', 'See also', 'References', 'Citations', 'Bibliography'], ['Citations', 'Bibliography'], ['Ukrainian', 'Evolution', 'Linguistic typology', 'Morphosyntactic alignment', 'Language families', 'See also', 'Notes', 'References', 'General references'], ['Athletics', 'Football', 'Culture and traditions', 'People', 'Notable alumni', 'Facilities', 'Offices and classrooms', 'Sports and student life', 'Residence halls', 'Other places on campus', 'References', 'Literature', 'Further reading'], ['Modern India', 'Beliefs', 'Purusharthas (objectives of human life)', 'Dharma (righteousness, ethics)', 'Artha (livelihood, wealth)', 'Kāma (sensual pleasure)', 'Mokṣa (liberation, freedom from samsara)', 'Karma and samsara', 'Moksha', 'Concept of God', 'Deluge of wars', 'John III Sobieski and last military victories', 'Saxon kings', 'Reforms and loss of statehood (1764–1795)', 'Czartoryski reforms and Stanisław August Poniatowski', 'The Great Sejm of 1788–1791 and the Constitution of 3 May 1791', 'The Kościuszko Uprising of 1794 and the end of Polish–Lithuanian state', 'Partitioned Poland (1795–1918)', 'Armed resistance (1795–1864)', 'Napoleonic wars', 'Hypothesis', '16th to 18th centuries', '19th century', '20th century', 'Concave Hollow Earths', 'Contrary evidence', 'Seismic', 'Gravity', 'Mali', 'Songhai', 'Sokoto Caliphate', 'Forest empires and states', 'Akan kingdoms and emergence of Asante Empire', 'Dahomey', 'Yoruba', 'Benin', 'Niger Delta and Igbo', '19th century', 'Regulation', 'United States', 'Europe', 'Other', 'Performance', 'Measurement', 'Sector-size effect', 'Hedge fund indices', 'Non-investable indices', 'Investable indices', 'Significant international memberships', 'ASEAN', 'Non-Aligned Movement (NAM)', 'History of Indo-European linguistics', 'Classification', 'Grouping', 'Tree versus wave model', 'Authentication', 'Authorization', 'Cryptography', 'Process', 'Security governance', 'Incident response plans', 'Preparation', 'Containment', 'Eradication', 'Recovery', 'Imams as secular rulers', 'Gallery', 'Imams', 'Muftis', 'Shaykh', 'See also', 'Notes', 'References', 'Processors', 'Released processors', 'Market reception', 'High-end server market', 'Other markets', 'Timeline', 'See also', 'References'], ['Economy', 'Taxation', 'Currency', 'Coinage', 'Demographics', 'Immigration', 'Language', 'Religion in Jersey', 'Culture', 'Media', 'Parliamentary advancement, 1843–1857', 'Colonial leader, 1858–1864', 'Confederation of Canada, 1864–1867', 'Prime Minister of Canada', 'First majority, 1867–1871', 'Second majority and Pacific Scandal, 1872–1873', 'Opposition, 1873–1878', 'Third and fourth majorities, 1878–1887', 'Fifth and sixth majorities, 1887–1891; death', 'Legacy and memorials', 'Holidays and observances', 'References'], ['Academic awards', 'Honors', 'Publications', 'See also', 'Notes', 'References', 'Further reading'], ['Entertainers', 'Military', 'Politicians', 'Australia', 'Canada', 'New Zealand', 'United States', 'United Kingdom', 'Religion', 'Sports', 'Description', 'History', 'Early history', 'Going mainstream']]



['Wikipedia: Damascus', 'Wikipedia: Economics', 'Wikipedia: Transport in El Salvador', 'Wikipedia: Eucharist', 'Wikipedia: Ergative case', 'Wikipedia: Telecommunications in French Polynesia', 'Wikipedia: Albert Park Circuit', 'Wikipedia: Foreign relations of Georgia (country)', 'Wikipedia: GDP (disambiguation)', 'Wikipedia: Geri and Freki', 'Wikipedia: Gestapo', 'Wikipedia: Gorillaz', 'Wikipedia: Instrument flight rules', 'Wikipedia: International Classification of Diseases', 'Wikipedia: January 23', 'Wikipedia: Jackal']
[['Further reading'], ['Names and etymology', 'The multiple aspects of economic science', 'History', 'Classical political economy', 'Marxism', 'Neoclassical economics', 'Keynesian economics'], ['Railways', 'Railway links with adjacent countries', 'In Spanish', 'In French', 'In German', 'Usage in computer system menus', 'In mathematical notation', 'Computer science', 'Programming languages', 'HTML and CSS', 'On Internet chat rooms and in text messaging', 'Computer representations', 'Terminology', 'Eucharist', "Lord's Supper", 'Communion', 'Other terms', 'Breaking of bread', 'IIR transfer functions', 'Example implementations', 'Mathematics of filter design', 'See also', 'Notes and references', 'Further reading', 'Influence in the Imperial family and the Imperial court', 'Relationship with Arius', 'Political and religious career', 'Death and aftermath', 'Notes', 'References'], ['Traditional narrative', 'Imina', "Events of Seiwa's life", 'Mausoleum', 'Kugyō', "Eras of Seiwa's reign", 'Consorts and children', 'Ancestry', 'Notes', 'Currency', 'References', 'See also', 'Design', 'A lap in a Formula One car', 'Everyday access', 'History', 'Albert Park Circuit (1953 to 1958)', 'Race lap records', 'Bobby Fischer controversies', 'Other 1970s controversies', 'Rapid expansion of membership', 'World Championship, 1983–1985', '1993 to 2018', 'World Championship divided, 1993–2006', 'IOC recognition', 'Commercial agreement with Agon', 'FIDE and Agon/World Chess contract controversy', '2018 to present', 'Action', 'Snap count', 'History and rationale', 'See also', 'References', 'Marching Regiments of the Foreign Legion', 'World War I 1914–1918', 'Interwar Period 1918–1939', 'World War II 1939–1945', 'Alsace-Lorraine', 'First Indochina War 1946–1954', 'Algerian War 1954–1962', 'Foreign Legion paratroops', "Generals' Putsch and reduction of Foreign Legion", 'Post-colonial Africa', 'Red Guards and Soviet troops', "White Guards and Sweden's role", 'German intervention', 'Decisive engagements', 'Battle of Tampere', 'Battle of Helsinki', 'Battle of Lahti', 'Battle of Vyborg', 'Red and White terror', 'End', 'Military industry', 'Bases', 'See also', 'References', 'Further reading'], ['All article disambiguation pages', 'All disambiguation pages', 'Articles containing German-language text', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Etymology', 'Attestations', 'Archaeological record', 'Periodization', 'Middle Ages', 'Old High German', 'Middle High German', 'Early Modern period', 'German Renaissance and Reformation', 'Baroque period', '18th century', 'The Enlightenment', 'Sensibility', 'History', 'Counterintelligence', 'Suppression of resistance', 'Legal actions', 'CareerLink', 'Obamacare', 'Gallery', 'References'], ['Introduction and overview', 'Discovery', 'Arnold Adolph Berthold (1849)', 'Bayliss and Starling (1902)', 'Types of signaling', 'Chemical classes', 'Vertebrate', 'Invertebrate', 'Plant', 'Authority', 'Main traditions', 'Scriptures', 'Practices', 'Rituals', 'Life-cycle rites of passage', 'Bhakti (worship)', 'Festivals', 'Pilgrimage', 'Person and society', 'The Congress of Vienna', 'The Uprising of November 1830', 'Revolts of the era of the Spring of Nations', 'The Uprising of January 1863', 'Formation of modern Polish society under foreign rule (1864–1914)', 'Repression and organic work', 'Economic development and social change', 'Nationalism, socialism and other movements', 'The Revolution of 1905', "World War I and the issue of Poland's independence", 'Direct observation', 'In fiction', 'In popular art', 'See also', 'References', 'Bibliography'], ['Nguniland', 'Sotho-Tswana', 'Voortrekkers', 'European trade, exploration and conquest', 'France versus Britain: the Fashoda crisis of 1898', 'European colonial territories', '20th century', 'World War I', 'World War II: Political', 'French Africa', 'Hedge fund replication', 'Closures', 'Debates and controversies', 'Systemic risk', 'Transparency', 'Links with analysts', 'Value in a mean/variance efficient portfolio', 'See also', 'Notes', 'Further reading', 'Organization of Islamic Cooperation (OIC)', 'APEC', 'G-20 major economies', 'IGGI and CGI', 'International disputes', 'Bilateral relations', 'Africa', 'Americas', 'Asia', 'Europe', 'Proposed subgroupings', 'Satem and centum languages', 'Suggested macrofamilies', 'Evolution', 'Proto-Indo-European', 'Diversification', 'Important languages for reconstruction', 'Sound changes', 'Comparison of conjugations', 'Comparison of cognates', 'Lessons Learned', 'Change management', 'Business continuity', 'Laws and regulations', 'Information security culture', 'Sources of standards', 'See also', 'References', 'Further reading', 'Bibliography', 'Basic information', 'Comparison to visual flight rules', 'Instrument flight rules', 'Separation and clearance', 'Weather', 'Historical synopsis', 'Versions of ICD', 'ICD-6', 'ICD-7', 'Broadcast', 'Daily newspaper', 'Music', 'Cinema', 'Food and drink', 'Sport', 'Literature', 'Education', 'Schools', 'Further and higher education', 'Honorary degrees', 'References', 'Notes', 'Citations', 'Further reading', 'Historiography', 'Primary sources'], ['Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['Etymology', 'Taxonomy and relationships', 'Species', 'Interbreeding with dogs', 'Folklore, mythology, and literature', 'American football', 'Association football', 'Australian rules football', 'Basketball', 'Cricket', 'Cycling', 'Rugby league', 'Rugby union', 'Other sports', 'Visual artists', 'Baby boom', 'Sales decline and turnaround', 'Jell-O shots', 'Manufacturing and tourism', 'Advertising', 'In culture', 'Mormonism', 'Judaism', 'Islam', 'Current flavors']]



['Wikipedia: Enola Gay', 'Wikipedia: Edo', 'Wikipedia: Emperor Yōzei', 'Wikipedia: Transport in French Polynesia', 'Wikipedia: Monaco Grand Prix', 'Wikipedia: Firewire (disambiguation)', 'Wikipedia: Guilt (emotion)', 'Wikipedia: Ginnungagap', 'Wikipedia: Hamas', 'Wikipedia: Hydrocodone', 'Wikipedia: List of islands of Indonesia', 'Wikipedia: Income', 'Wikipedia: John Diefenbaker', 'Wikipedia: Jumping the broom', 'Wikipedia: Jelly']
[['Geography', 'Climate', 'History', 'Early settlement', 'Aram-Damascus', 'Greco-Roman period', 'Early Islamic Arab period', 'Seljuq and Ayyubid periods', 'Mamluk period', 'Ottoman period', 'Chicago school of economics', 'Other schools and approaches', 'Economic systems', 'Theory', 'Branches of economics', 'Microeconomics', 'Production, cost, and efficiency', 'Specialization', 'Supply and demand', 'Firms', 'Highways', 'Ports and harbors', 'Pacific Ocean', 'Merchant marine', 'Airports', 'Airports - with paved runways', 'Airports - with unpaved runways', 'Heliports', 'Airports by name', 'References', 'Input', 'See also', 'References', 'Further reading', 'Sacrament or Blessed Sacrament', 'Mass', 'Divine Liturgy and Divine Service', 'Other Eastern Rites', 'History', 'Biblical basis', "Paul the Apostle and the Lord's Supper", 'Gospels', 'Agape feast', 'Early Christian sources', 'Characteristics', 'See also', 'Citations', 'References', 'History', 'Before Tokugawa', 'Tokugawa era', 'References', 'See also', 'Traditional narrative', 'Telephone', 'Radio', 'Television', 'Internet', 'Notes', 'See also', 'References'], ['The election of Arkady Dvorkovich and the end of the Ilyumzhinov era', 'FIDE presidents', 'Publications', 'See also', 'Notes', 'References'], ['All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', '1962–present', 'Gulf War 1990–1991', 'Post 1991', 'Global War on Terror 2001–present', 'Composition and organization', 'Current deployments', 'DINOPS, PCG and Commandos', 'Recruitment process', 'Basic training', 'Traditions', 'Aftermath and impact', 'Prison camps', 'War-torn nation', 'Compromise', 'In popular culture', 'Literature', 'Cinema and television', 'See also', 'References', 'Notes', 'Relations by country', 'Africa', 'Americas', 'Asia', 'Europe', 'Oceania', 'Overview', 'Short description is different from Wikidata', 'Psychology', 'Defenses', 'Theories', 'Notes', 'References'], ['Sturm und Drang', '19th century', 'German Classicism', 'Romanticism', 'Biedermeier and Vormärz', 'Realism and Naturalism', '20th century', '1900 to 1933', 'Well Known Writers of the 20th Century', 'Nazi Germany', 'Religious dissent', 'Student opposition', 'General opposition and military conspiracy', 'Organization', 'Membership', 'Population ratios, methods and effectiveness', 'Nuremberg trials', 'Aftermath', 'Leadership', 'Principal agents and officers', 'History', 'Creation (1990–1999)', 'Gorillaz (2000–03)', 'Demon Days (2004–07)', 'Plastic Beach and The Fall (2008–13)', 'Hiatus and Humanz (2014–17)', 'The Now Now (2018–19)', 'Receptors', 'Effects', 'Regulation', 'Therapeutic use', 'Hormone-behavior interactions', 'Comparison with neurotransmitters', 'Binding proteins', 'See also', 'References'], ['Varnas', 'Yoga', 'Symbolism', 'Ahimsa, vegetarianism and other food customs', 'Institutions', 'Temple', 'Ashrama', 'Monasticism', 'History', 'Periodisation', 'Second Polish Republic (1918–1939)', 'Securing national borders, war with Soviet Russia', 'Democratic politics (1918–1926)', "Piłsudski's coup and the Sanation Era (1926–1935)", 'Social and economic trends of the interwar period', 'Final Sanation years (1935–1939)', 'World War II', 'Invasions and resistance', 'Soviet advance 1944–1945, Warsaw Uprising', 'Allied conferences, Polish governments', 'Etymology', 'Aims', 'Leadership and structure', 'Consultative councils', 'Social services wing', 'Military wing', 'World War II: Military', 'Post-war Africa: decolonization', 'East Africa', 'Historiography of British Africa', 'See also', 'Notes', 'References', 'Further reading', 'Atlases', 'Historiography'], ['Medical uses', 'Available forms', 'Oceania', 'International organisation participation', 'See also', 'Notes', 'Further reading'], ['Present distribution', 'See also', 'Notes', 'References', 'Citations', 'Sources', 'Further reading'], ['Databases', 'Lexica'], ['Economic definitions', 'Full and Haig–Simons income', 'Navigation', 'Autopilot', 'Procedures', 'Qualifications', 'Pilot', 'Aircraft', 'See also', 'References'], ['ICD-8a', 'ICD-9', 'ICD-10', 'ICD-11', 'Usage in the United States', 'Mental health issues', 'See also', 'References'], ['Environment', 'Biodiversity', 'Emergency services', 'Notable people', 'See also', 'Footnotes and references', 'Further reading', 'Archaeology', 'Cattle', 'Religion', 'Early life', 'Barrister and candidate (1919–1940)', 'Wakaw days (1919–1924)', 'Aspiring politician (1924–1929)', 'Perennial candidate (1929–1940)', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['References', 'Further reading'], ['Other people', 'Characters', 'Companies and organisations', 'Music', 'Ships', 'Other uses', 'See also', 'Gelatin', 'Pudding', 'Discontinued flavors', 'See also', 'References'], []]



['Wikipedia: Armed Forces of El Salvador', 'Wikipedia: Ewe', 'Wikipedia: French Southern and Antarctic Lands', 'Wikipedia: Fresnel equations', 'Wikipedia: FIFO (computing and electronics)', 'Wikipedia: Flynn effect', 'Wikipedia: Ghana', 'Wikipedia: Grammatical conjugation', 'Wikipedia: Hammond organ', 'Wikipedia: History of Oceania', 'Wikipedia: Illinois', 'Wikipedia: Ismail Khan', 'Wikipedia: Integral domain', 'Wikipedia: History of Jersey', 'Wikipedia: Jimmy Carter', 'Wikipedia: J. E. B. Stuart']
[['Modern period', 'Economy', 'Demographics', 'Ethnicity', 'Religion', 'Gallery', 'Sufism', 'Historical sites', 'Walls and gates of Damascus', 'Churches in the old city', 'Uncertainty and game theory', 'Market failure', 'Public sector', 'Macroeconomics', 'Growth', 'Business cycle', 'Unemployment', 'Inflation and monetary policy', 'Fiscal policy', 'International economics'], ['History', 'Spanish colonial rule', 'World War II', 'Early history', 'Hiroshima mission', 'Nagasaki mission', 'Crews', 'Subsequent history', 'Restoration', 'Exhibition controversy', 'Complete restoration and display', 'Eucharistic theology', 'Ritual and liturgy', 'Catholic Church', 'As a sacrifice', 'As a real presence', 'Eastern Orthodoxy', 'Protestantism', 'Anglican', 'Baptist groups', 'Lutheran', 'Geography', 'Culture', 'People', 'Transportation', 'Other uses', 'Urbanism', 'General layout of the city', 'Housing', 'Military caste', 'Shonin', 'Government and administration', 'See also', 'Notes', 'References'], ["Events of Yōzei's life", 'Kugyō', "Eras of Yōzei's reign", 'Consorts and children', 'Ancestry', 'Notes', 'References', 'See also', 'See also'], ['History', 'Origins', 'Pre-war', 'Post-war Grand Prix', 'Formula One', 'Early championship days', "Graham Hill's era", 'Track alterations, safety, and increasing business interests', 'Prost/Senna era', 'Modern times', 'Overview', 'S and P polarizations', 'Power (intensity) reflection and transmission coefficients', 'Special cases', 'Normal incidence', "Brewster's angle", 'Computer science', 'Data structure', 'Code', 'Head or tail first', 'Code of honour', 'Mottos', 'Honneur et Fidélité', 'Legio Patria Nostra', 'Regimental mottos', 'Insignia', 'Marching songs', 'Le Boudin', 'Other songs', 'Ranks', 'Citations', 'Bibliography', 'English', 'Finnish'], ['See also', 'Further reading', 'References'], ['Behavioral responses', 'Lack of guilt in psychopaths', 'Causes', 'Evolutionary theories', 'Social psychology theories', 'Other theories', 'Collective guilt', 'Comparison with shame', 'Cultural views', 'Etymology', 'Etymology', 'Creation myth', 'Geographic rationalization', 'In popular culture', 'See also', 'Notes', 'References'], ['1945 to 1989', '21st century', 'Nobel Prize laureates', 'See also', 'References', 'Literature'], ['Ranks and uniforms', 'See also', 'References'], ['Song Machine (2020–present)', 'Style and legacy', 'Members', 'Discography', 'Tours', 'Awards and nominations', 'Notes', 'References'], ['Features', 'Keyboards and pedalboard', 'Drawbars', 'Origins', 'Prevedic religions (until c. 1500 BCE)', 'Vedic period (c. 1500 – c. 500 BCE)', 'Origins and development', 'Vedic religion', 'Renouncers and Brahmanism', '"Second Urbanisation" and decline of Brahmanism (c. 500 – c. 200 BCE)', 'Sramana movement', 'Decline of Brahmanism', 'Classical Hinduism (c. 200 BCE – c. 1100 CE)', 'War losses, extermination of Jews and Poles', 'Changing boundaries and population transfers', "Polish People's Republic (1945–1989)", 'Post-war struggle for power', 'Under Stalinism (1948–1955)', 'Economic and social developments of the early communist era', "The Thaw and Gomułka's Polish October (1955–1958)", 'Stagnation and crackdown (1958–1970)', 'Worker revolts, reforms of Gierek, the Polish pope and Solidarity (1970–1981)', "The martial law, Jaruzelski's rule and the end of communism (1981–1989)", 'Finances and funding', 'History', 'Gaza Islamic roots and establishment of Hamas', 'Hamas Charter (1988)', '1990s', 'Second Intifada', '2006 presidential and legislative elections', 'Legislative policy and reforming the judiciary', 'Public freedoms and citizen rights', 'Hamas–Fatah conflict'], ['Prehistory', 'Polynesia theories', 'Side effects', 'Interactions', 'Pharmacology', 'Pharmacodynamics', 'Pharmacokinetics', 'Absorption', 'Distribution', 'Metabolism', 'Elimination', 'Chemistry', 'History', 'Major islands', 'List of islands', 'Java', 'Banten', 'Central Java', 'Special Capital Region of Jakarta', 'Etymology', 'History', 'Pre-European', 'Income growth', 'Income inequality', 'Income in philosophy and ethics', 'Accountancy', 'History', 'See also', 'References', 'Early years and rise to power', 'Escaping to Iran', 'Karzai administration and return to Afghanistan', 'Assassination attempt', 'Definition', 'Examples', 'Non-examples', 'Properties'], ['Prehistory', 'Hoards', 'Parliamentary rise (1940–1957)', 'Mackenzie King years (1940–1948)', 'Leadership contender (1948–1956)', 'Leader of the Opposition; 1957 election', 'Prime Minister (1957–1963)', 'Domestic events and policies', 'Minority government', '1958 election', 'Mandate (1958–1962)', 'Foreign policy', 'Early life', 'Education', 'Naval career', 'Farming', 'As an expression for "irregular marriage"', 'British Romani customs', 'African American custom', 'In popular culture', 'References', 'Further reading'], ['Early life and background', 'Education', 'United States Army', 'Marriage', 'Bleeding Kansas', 'John Brown', 'Food', 'Entertainment', 'Other uses', 'See also']]



['Wikipedia: Electronvolt', 'Wikipedia: Essenes', 'Wikipedia: Explosive', 'Wikipedia: Emperor Kōkō', 'Wikipedia: Gold', 'Wikipedia: Green', 'Wikipedia: Galilee', 'Wikipedia: Gayo', 'Wikipedia: Iona', 'Wikipedia: Indigo', 'Wikipedia: January 13', 'Wikipedia: Javier Saviola']
[['Islamic sites in the old city', 'Madrasas', 'Khans', 'Old Damascene houses', 'Threats to the future of the old City', 'State of old Damascus', 'Education', 'Transportation', 'Culture', 'Museums', 'Development economics', 'Labor economics', 'Welfare economics', 'Agreements', 'Criticisms', 'General criticisms', 'Criticisms of assumptions', 'Related subjects', 'Practice', 'Empirical investigation', 'Coffee barons and militia', 'La Matanza', 'Palm Sunday rebellion', 'Rebellion of 1948', 'American influence and the Cold War', 'Football war', 'Civil War', 'Post civil war', 'Structure', 'Medals', 'References', 'Notes', 'Citations', 'Bibliography', 'Further reading'], ['Mennonites and Anabaptists', 'Open Brethren and Exclusive Brethren', 'Reformed (Continental Reformed, Presbyterian and Congregationalist)', 'Methodist', 'Nondenominational and other Christians', 'Other Christian churches', 'Syriac', 'Seventh-day Adventists', "Jehovah's Witnesses", 'Latter-day Saints', 'Etymology', 'Location', 'Rules, customs, theology, and beliefs', 'Scholarly discussion', 'History', 'Applications', 'Commercial', 'Traditional narrative', "Events of Kōkō's life", 'Kugyō', "Eras of Kōkō's reign", 'Consorts and children', 'Administration', 'Geography', 'Flora and fauna', 'Economy', 'Codes', 'See also', 'References'], ['Circuit', 'Viewing areas', 'Organization', 'Fame', 'Official names', 'Winners', 'Repeat winners (drivers)', 'Repeat winners (constructors)', 'Repeat winners (engine manufacturers)', 'By year', 'Total internal reflection', 'Complex amplitude reflection and transmission coefficients', 'Alternative forms', 'Multiple surfaces', 'History', 'Theory', 'Material parameters', 'Electromagnetic plane waves', 'The wave vectors', 'The s components', 'Pipes', 'Disk scheduling', 'Communications and networking', 'Electronics', 'FIFO full-empty', 'See also', 'References', 'Citations', 'Sources', 'Non-Commissioned and Warrant Officers', 'Commissioned Officers', 'Chevrons of seniority', 'Honorary ranks', 'Pioneers', 'Cadences and marching steps', 'Uniform', 'Equipment', 'Commandement de la Légion Étrangère Tenure (1931–present)', 'Commandement de la Légion Étrangère (1931–1984)', 'Origin of term', 'Rise in IQ', "Precursors to Flynn's publications", 'Intelligence', 'Proposed explanations', 'Schooling and test familiarity', 'Generally more stimulating environment', 'Nutrition', 'History', 'Medieval kingdoms', 'European contact (15th century)', 'Transition to independence', 'Operation Cold Chop and aftermath', '21st century', 'Historical timeline', 'Geography and geology', 'Climate', 'In literature', 'In the Christian Bible', 'See also', 'Further reading', 'References'], ['Etymology and linguistic definitions', 'Languages where green and blue are one color', 'In science', 'Color vision and colorimetry', 'Etymology', 'Geography', 'History', 'Iron Age and Hebrew Bible', 'Classical antiquity', 'Early Muslim and Crusader periods', 'Examples', 'Verbal agreement', 'Nonverbal person agreement', 'Conjugation classes', 'Pama-Nyungan languages', 'Wati', 'Ngayarta', 'Yidiny', 'See also', 'See also', 'Presets', 'Vibrato and chorus', 'Harmonic percussion', 'Start and run switches', 'History', 'Tonewheel organs', 'Console organs', 'Spinet organs', 'Transistor organs', 'Hammond-Suzuki', 'Pre-classical Hinduism (c. 200 BCE – c. 300 CE)', '"Golden Age" (Gupta Empire) (c. 320 – c. 650 CE)', 'Late-Classical Hinduism – Puranic Hinduism (c. 650 – c. 1100 CE)', 'Islamic rule and Bhakti movement of Hinduism (c. 1200 – c. 1750 CE)', 'Modern Hinduism (from circa 1800)', 'Hindu revivalism and traditionalism', 'Popularity in the west', 'Hindutva', 'Demographics', 'Conversion debate', 'Third Polish Republic (1989–today)', 'Systemic transition', 'Democratic constitution, NATO and European Union memberships', 'See also', 'Notes', 'References', 'Citations', 'Works cited', 'Bibliography'], ['2008–2009 Gaza War', 'After the Gaza War', '2014 Israel–Gaza conflict', 'Reconciliation attempts', 'Media', "Children's magazine", 'Al-Aqsa TV', 'Islamization efforts', 'In the Gaza Strip', 'In the West Bank', 'Micronesia theories', 'Melanesia theories', 'Australasia theories', 'European contact and exploration (1500s–1700s)', 'Iberian pioneers', 'Early Iberian exploration', 'Other large expeditions', 'Oceania during the Golden Age of Dutch exploration and discovery', 'Early Dutch exploration', "Abel Tasman's exploratory voyages", 'Detection in body fluids', 'History', 'Society and culture', 'Formulations', 'Combination products', 'Zohydro ER', 'Legal status', 'United States', 'References'], ['East Java', 'West Java', 'Sumatra', 'Aceh', 'North Sumatra', 'West Sumatra', 'Bengkulu', 'Lampung', 'Riau', 'Riau Islands', 'European exploration and settlement prior to 1800', '19th century', 'Prior to statehood', 'The State of Illinois prior to the Civil War', 'Civil War and after', '20th century', '21st century', 'Geography', 'Boundaries', 'Topography', 'Etymology', 'Folk etymology', 'Geology', 'Geography', 'Subdivision', 'History', 'Testimony requested by a Guantanamo captive', 'Controversy', 'Notes and references'], ['Field of fractions', 'Algebraic geometry', 'Characteristic and homomorphisms', 'See also', 'Notes', 'References'], ['Gallo-Roman and Early Middle Ages', 'Normans', 'The Feudal Age', 'Reformation to the civil war', 'Civil War, interregnum and restoration', '18th century', '19th century', '20th century', 'Occupation 1940-1945', 'Post-Liberation growth', 'Britain and the Commonwealth', 'Policy towards the United States', 'Ike and John: the Eisenhower years', 'Bilateral antipathy: the Kennedy administration', 'Downfall', 'Later years (1963–1979)', 'Return to opposition', 'Final years and death', 'Legacy', 'Honorary degrees', 'Early political career, 1963–1971', 'Georgia state senator (1963–1967)', '1966 and 1970 campaigns for governor', 'Governor of Georgia (1971–1975)', 'National ambition', '1976 presidential campaign', 'Democratic primary', '1976 general election', 'Presidency (1977–1981)', 'Transition', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['Resignation', 'Confederate Army', 'Early service', 'Peninsula', 'Northern Virginia', 'Maryland', 'Fredericksburg and Chancellorsville', 'Brandy Station', "Stuart's ride in the Gettysburg Campaign", 'Gettysburg and its aftermath', 'Club career', 'River Plate', 'Barcelona', 'Real Madrid', 'Benfica', 'Málaga']]



['Wikipedia: Foreign relations of El Salvador', 'Wikipedia: Eyes Wide Shut', 'Wikipedia: Emperor Uda', 'Wikipedia: History of French Guiana', 'Wikipedia: Fission', 'Wikipedia: Firewall (construction)', 'Wikipedia: Gomoku', 'Wikipedia: GW-BASIC', 'Wikipedia: Hradčany', 'Wikipedia: Hashish', 'Wikipedia: Infundibulum', 'Wikipedia: Geography of Jersey', 'Wikipedia: January 14']
[['Sports and leisure', 'Nearby attractions', 'Notable people from Damascus', 'See also', 'Notes', 'References', 'Bibliography'], ['Profession', 'See also', 'General', 'Notes', 'References', 'Further reading'], ['General information', 'Institutions and organizations', 'Study resources', 'See also', 'References'], ['Definition', 'Mass', 'Momentum', 'Distance', 'Temperature', 'Properties', 'Scattering experiments', 'Non-observing denominations', 'Practice and customs', 'Open and closed communion', 'Preparation', 'Catholic', 'Eastern Orthodox', 'Protestant confessions', 'Footwashing', 'Adoration', 'Health issues', 'See also', 'References', 'Further reading'], ['Military', 'Civilian', 'Safety', 'Types', 'Chemical', 'Decomposition', 'Deflagration', 'Detonation', 'Exotic', 'Properties', 'Poetry', 'Ancestry', 'See also', 'Notes', 'References', 'Beginnings of European involvement', 'Consolidation of French rule', '1800s and the Penal Era', '20th century', 'Previous circuit configurations', 'See also', 'References', 'Bibliography'], ['The p components', 'Power ratios (reflectivity and transmissivity)', 'Equal refractive indices', 'Non-magnetic media', 'Equal permittivities', 'See also', 'Notes', 'References', 'Sources', 'Further reading', 'Applications', 'Types', 'Characteristics', 'Materials', 'Inspector Tenure', 'Autonomous Group Tenure', 'Command Tenure', 'Technical Inspection Tenure', 'Groupment Tenure', 'Commandement de la Légion Étrangère (1984–present)', 'Gallery', 'Composition', 'Membership by country', 'Countries that allow post-Foreign Legion contract', 'Infectious diseases', 'Heterosis', 'Possible end of progression', 'IQ group differences', 'See also', 'References', 'Further reading'], ['Climate change', 'Government', 'Foreign relations', 'Law enforcement and police', 'Ghanaian drug war and the Narcotics Control Board', 'Military', 'Administrative divisions', 'Human rights', 'Economy', 'Key sectors', 'Characteristics', 'Color', 'Isotopes', 'Synthesis', 'Chemistry', 'Rare oxidation states', 'Medicinal uses', 'Lasers', 'Pigments, food coloring and fireworks', 'Biology', 'Green eyes', 'In history and art', 'Prehistoric history', 'Ancient history', 'Postclassical history', 'Modern history', 'In the 18th and 19th century', 'Ottoman era', 'British administration', 'Israeli period', 'Demography', 'Tourism', 'Cuisine', 'Subregions', 'Gallery', 'See also', 'References', 'Conjugations by language', 'Notes', 'Origin', 'Features', 'Name', 'See also', 'References'], ['Speakers', 'Tone cabinet', 'Leslie speaker', 'Tone generation', 'Clones and emulation devices', 'Notable players', 'See also', 'References'], ['See also', 'Notes', 'References', 'Sources', 'Printed sources', 'Web sources', 'Further reading'], ['Maps', 'References'], ["Tayyip Erdoğan's Turkey as a role model", 'Antisemitism and anti-Zionism', 'Hamas Charter', 'Statements by Hamas members and clerics to an Arab audience', 'Statements by Hamas members and clerics to an international audience', 'Statements on the Holocaust', 'Violence and terrorism', 'Attacks on civilians', 'Rocket attacks on Israel', 'Attempts to derail 2010 peace talks', "British exploration and Captain James Cook's voyages", 'First voyage (1768–71)', 'Second voyage (1772–75)', 'Third voyage (1776–79)', 'Colonisation', 'British colonization', 'French colonization', 'Spanish colonization', 'Dutch colonization', 'German colonization', 'History', 'Western world', 'International trade', 'Bangka-Belitung Islands', 'Kalimantan', 'Central Kalimantan', 'East Kalimantan', 'North Kalimantan', 'South Kalimantan', 'West Kalimantan', 'Sulawesi', 'Central Sulawesi', 'North Sulawesi', 'Divisions', 'Climate', 'Demographics', 'Birth data', 'Urban areas', 'Languages', 'Religion', 'Christianity', 'Other Abrahamic religious communities', 'Other religions', 'Dál Riata', 'Kingdom of the Isles', 'Kingdom of Scotland', 'Post-Union', 'Iona Abbey', 'Marble quarry remains', 'Present day', 'Iona Community', 'Transport', 'Accommodation', 'History', 'Classification as a spectral color', 'Distinction among the four major tones of indigo', 'Electric indigo', 'Deep indigo (web color blue-violet)', 'Web color indigo', 'Tropical indigo', 'Indigo dye', 'Imperial blue', 'Anatomy', 'Veterinary medicine', 'Botany', 'Other uses', 'See also', 'See also', 'References', 'Print', 'See also', 'References', 'Explanatory notes', 'Citations', 'Bibliography', 'Online sources', 'Further reading'], ['Domestic policy', 'U.S. energy crisis', 'EPA Love Canal Superfund', 'Relations with Congress', 'Economy', 'Deregulation', 'Healthcare', 'Foreign policy', 'Israel and Egypt', 'Africa', 'Events', 'Births', 'Deaths', 'Fall 1863 and the 1864 Overland Campaign', 'Yellow Tavern and death', 'Legacy and memorials', 'Named after Stuart', 'Schools', 'In art and popular culture', 'Films', 'Television', 'Literature', 'Music', 'Olympiacos', 'Verona', 'Return to River', 'Retirement, coaching, and futsal career', 'International career', 'Style of play', 'Media', 'Career statistics', 'Club', 'International']]



['Wikipedia: Diplomatic immunity', 'Wikipedia: Electronic paper', 'Wikipedia: Electrochemistry', 'Wikipedia: Geography of French Guiana', 'Wikipedia: Fusion', 'Wikipedia: Figure skating', 'Wikipedia: Fenrir (disambiguation)', 'Wikipedia: Field ion microscope', 'Wikipedia: Goths', 'Wikipedia: Granite', 'Wikipedia: Hypoglycemia', 'Wikipedia: Help desk', 'Wikipedia: Houston', 'Wikipedia: Interrupt latency', 'Wikipedia: Demographics of Jersey', 'Wikipedia: Jean-Michel Basquiat', 'Wikipedia: Jackie Robinson', 'Wikipedia: John Hanson', 'Wikipedia: Junkers Ju 87']
[['History', 'Ancient', 'Modern', 'Exceptions to the Vienna Convention', 'Uses and abuses', 'Technologies', 'Gyricon', 'Electrophoretic', 'Bilateral relations', 'Africa', 'Americas', 'Asia', 'Europe', 'Oceania', 'See also', 'References', 'Energy comparisons', 'Per mole', 'See also', 'References'], ['Gluten', 'Alcohol', 'Transmission of diseases', 'See also', 'Notes', 'References', 'Further reading'], ['Plot', 'Cast', 'Production', 'Development', 'Adaptation', 'Casting', 'Filming', 'Music', 'Themes and interpretations', 'Sensitivity', 'Sensitivity to initiation', 'Velocity of detonation', 'Stability', 'Power, performance, and strength', 'Brisance', 'Density', 'Volatility', 'Hygroscopicity and water resistance', 'Toxicity', 'Traditional narrative', 'Name  and legacy', 'Historical background', "Events of Uda's life", 'Kugyō', "Eras of Uda's reign", 'Consorts and children', 'Ancestry', '21st century', 'Notes', 'References', 'Further reading'], ['Biology', 'Nuclear physics', 'Other', 'See also'], ['Terminology', 'Figure skates', 'Performance based design', 'Firewalls in vehicles', 'High-voltage transformer fire barriers', 'See also', 'Notes'], ['Emulation by other countries', 'Chinese Ever Victorious Army', 'Israeli Mahal', 'Netherlands KNIL Army', 'Rhodesian Light Infantry and 7 Independent Company', 'Russian "Foreign Legion"', 'Spanish Foreign Legion', 'References in popular culture', 'See also', 'References', 'Introduction', 'Design, limitations and applications', 'See also', 'References'], ['Manufacturing', 'Petroleum and natural gas production', 'Industrial minerals mining', 'Real estate', 'Trade and exports', 'Electricity generation sector', 'Economic transparency', 'Science and technology', 'Space and satellite programmes', 'Cybernetics and cyberwarfare', 'Origin', 'Gold production in the Universe', 'Asteroid origin theories', 'Mantle return theories', 'Occurrence', 'Seawater', 'History', 'Etymology', 'Culture', 'Religion', 'In the 20th and 21st century', 'Symbolism and associations', 'Safety and permission', 'Nature, vivacity, and life', 'Springtime, freshness, and hope', 'Youth and inexperience', 'Calm, tolerance, and the agreeable', 'Jealousy and envy', 'Love and sexuality', 'Dragons, fairies, monsters, and devils'], ['Further reading', 'Name', 'Official rules', 'Variations', 'Optional ("house") rules', 'Specific variations', 'Theoretical generalizations', 'Example game', 'World championships', 'Computers and Gomoku', 'See also', 'References', 'Mineralogy', 'Chemical composition', 'Occurrence', 'Origin', 'Signs and symptoms', 'Central nervous system', 'Long-term effects', 'Causes', 'Functions', 'Organization', 'Desk side team', 'Network team', 'Server team', 'Photo gallery', 'History', 'Geography', 'Themes of martyrdom', 'Guerrilla warfare', 'Extrajudicial killings of rivals', '2011–2013 Sinai insurgency', 'International designations as a terrorist organization', 'Criticism', 'Human shields', 'Children as combatants', 'Political freedoms', 'Human rights abuses', 'American colonization', 'Japanese colonization', 'Samoan Crisis 1887–1889', 'World War I', 'World War II', 'Solomon Islands campaign', 'Kokoda Track campaign', 'Nuclear testing in Oceania', 'Fijian coups', 'Bougainville Civil War', 'European market', 'Substance properties', 'Application', 'Set and setting', 'After effects', 'Use', 'Altered state', 'Perceptual changes', 'Manufacturing processes', 'Quality', 'South Sulawesi', 'Southeast Sulawesi', 'Lesser Sunda Islands', 'Bali', 'East Nusa Tenggara', 'West Nusa Tenggara', 'Maluku Islands', 'Maluku', 'North Maluku', 'Western New Guinea', 'Economy', 'Agriculture', 'Manufacturing', 'Services', 'Investments', 'Energy', 'Coal', 'Petroleum', 'Nuclear power', 'Wind power', 'Iona in Scottish painting', 'Media and the arts', 'Gallery', 'See also', 'Footnotes', 'References', 'Sources', 'Citations', 'Further reading'], ['In nature', 'In culture', 'Business', 'Computer graphics', 'Dyes', 'Food', 'Military', 'Spirituality', 'See also', 'References', 'Background', 'Considerations', 'See also', 'References', 'Physical geography', 'Natural resources', 'Environment', 'References'], ['Biography', 'Early life: 1960–1975', 'Street art: 1976–1980', 'Gallery artist: 1980–1985', 'Final years and death: 1986–1988', 'Indonesia and East Timor', 'Iran', 'Iran hostage crisis', 'Soviet Union', 'Soviet invasion of Afghanistan', 'South Korea', 'International trips', 'Allegations and investigations', '1980 presidential campaign', 'Post-presidency (1981–present)', 'Holidays and observances', 'References'], ['See also', 'Notes', 'References', 'Books', 'Further reading'], ['International goals', 'Honours', 'Individual', 'References'], []]



['Wikipedia: Equatorial Guinea', 'Wikipedia: Eclipse', 'Wikipedia: Daigo', 'Wikipedia: Frigg', 'Wikipedia: Feedback', 'Wikipedia: First Battle of El Alamein', 'Wikipedia: Gegenschein', 'Wikipedia: Henry Bordeaux', 'Wikipedia: Hanseatic League', 'Wikipedia: Hypnosis', 'Wikipedia: Iran', 'Wikipedia: Ido', 'Wikipedia: International Monetary Fund', 'Wikipedia: İskender kebap']
[['Offences against the person', 'Smuggling', 'Employer abuse and slavery', 'Vehicular offences', 'Parking violations', 'Vehicular assault and drunk driving', 'Georgian driver in the United States', 'American driver in Russia', 'Russian driver in Canada', 'American driver in Romania', 'Microencapsulated electrophoretic display', 'Electrowetting', 'Electrofluidic', 'Interferometric modulator (Mirasol)', 'Plasmonic electronic display', 'Other technologies', 'History', 'Applications', 'Wristwatches', 'E-book readers', 'History', 'First European contact and Portuguese rule (1472–1778)', 'Early Spanish rule and lease to Britain (1778–1844)', 'Late 19th century (1844–1900)', 'Early 20th century (1900–1945)', 'History', '16th-to-18th-century developments', '19th century', '20th century and recent developments', 'Principles', 'Oxidation and reduction', 'Balancing redox reactions', 'Acidic medium', 'Etymology', 'Umbra, penumbra and antumbra', 'Eclipse cycles', 'Earth–Moon system', 'Solar eclipse', 'Genre', 'Christmas setting', 'Use of Venetian masks', 'Release', 'Marketing', 'Box office', 'Critical reception', 'Awards and honors', 'Home media', 'Controversies', 'Explosive train', 'Volume of products of explosion', 'Oxygen balance (OB% or Ω)', 'Chemical composition', 'Pure compounds', 'Oxidized fuel', 'Availability and cost', 'Classification', 'By sensitivity', 'Primary', 'Notes', 'References', 'See also', 'Statistics', 'Area', 'Land boundaries', 'Maritime claims', 'Land use', 'Natural resources', 'Climate', 'Terrain', 'Science and technology', 'Physics', 'Biology and medicine', 'Computing', 'Computing techniques', 'Application software', 'Middleware and operating system components', 'Ice rinks and rink equipment', 'Disciplines', 'Olympic disciplines', 'Other disciplines', 'Elements and moves', 'Jumps', 'Toe jumps', 'Edge jumps', 'Other jumps', 'Spins', 'Printed media', 'Video games', 'See also', 'Further reading'], ['History', 'Further reading', 'Background', 'Retreat from Gazala', 'Health and biotechnology', 'Education', 'Overview', 'Enrollment', 'Foreign students', 'Funding of education', 'Kindergarten and education structure', 'Elementary', 'High school', 'University', 'Production', 'Mining and prospecting', 'Extraction and refining', 'Consumption', 'Pollution', 'Monetary use', 'Price', 'Other applications', 'Jewelry', 'Electronics', 'Poison and sickness', 'Social status, prosperity and the dollar', 'On flags', 'In politics', 'In religion', 'In gambling and sports', 'Idioms and expressions', 'Notes', 'See also', 'References', 'Classification', 'Prehistory', 'Jordanes and Scandza', 'Vistula region evidence', 'Movement towards the Black Sea', 'History', '3rd century raids on the Roman Empire', 'Co-existence with the Roman Empire (300-375)', 'Arrival of the Huns (about 375)', 'The Gothic War of 376-382', 'Further reading'], ['Explanation', 'Petrogenetic mechanism', 'Alphabet classification system', 'Granitization', 'Ascent and emplacement', 'Weathering', 'Natural radiation', 'Industry', 'Uses', 'Antiquity', 'Modern', 'Serious illness', 'Hormone deficiency', 'Pathophysiology', 'Diagnosis', 'Method of measurement', 'Age', 'Other tests', 'Differential diagnosis', 'Prevention', 'Treatment', 'Other teams', 'See also', 'References', 'Geology', 'Cityscape', 'Architecture', 'Climate', 'Flooding', 'Demographics', 'Race and ethnicity', 'Sexual orientation and gender identity', 'Religion', 'Economy', 'International support', 'Qatar and Turkey', 'China', 'U.S.-based support', 'See also', 'References', 'Bibliography'], ['Modern age', 'See also', 'Notes', 'References', 'Bibliography', 'Synonyms', 'See also', 'References', 'Further reading'], ['West Papua', 'Papua', 'See also', 'References', 'Bibliography', 'Biofuels', 'Taxes', 'Culture', 'Museums', 'Music', 'Movies', 'Sports', 'Major league sports', 'Other top-level professional sports', 'Minor league sports', 'History', 'Digital era', 'Changes'], ['Functions', 'Surveillance of the global economy', 'See also', 'References'], ['Statistics', 'Population', 'Age structure', 'Population growth rate', 'Birth rate', 'Death rate', 'Net immigration rate', 'Sex ratio', 'Artistry', 'Heroes and saints', 'Drawings', 'Heads', 'Heritage', 'Reception, exhibitions, and art market', 'Reception', 'Exhibitions', 'Criticism', 'Art market', 'Carter Center', 'Diplomacy', 'Criticism of American policy', 'Presidential politics', 'Views on Trump administration', 'Hurricane relief', 'Other activities', 'Political positions', 'Abortion', 'Death penalty', 'Early life', 'Family and personal life', 'John Muir High School', 'Pasadena Junior College', 'UCLA and afterward', 'Military career', 'Post-military', 'Playing career', 'Negro leagues and major league prospects', 'Minor leagues', 'Early life', 'Political career', 'President of Congress', 'Later life', 'Personal life', 'Legacy', 'References', 'Development', 'Early design', 'Evolution', 'Refinements', 'Design', 'Basic design (based on the B series)', 'Diving procedure', 'G-force test at Dessau']]



['Wikipedia: Earth', 'Wikipedia: Ed (text editor)', 'Wikipedia: Murakami', 'Wikipedia: Four color theorem', 'Wikipedia: Gallium', 'Wikipedia: Global Climate Coalition', 'Wikipedia: Helsingborg Municipality', 'Wikipedia: Improvisational theatre', 'Wikipedia: Politics of Jersey', 'Wikipedia: John Graves Simcoe', 'Wikipedia: JPEG Network Graphics']
[['Rents', 'Alimony and child support', 'Taxes and fees', 'Espionage', 'In the United States', 'Notes and references', 'Notes', 'References', 'Further reading'], ['Further reading'], ['Etymology', 'Transportation', 'Demographics', 'Languages', 'Religion', 'Health', 'Education', 'Culture', 'Tourism', 'Media and communications', 'Music', 'Iron corrosion', 'Corrosion of common metals', 'Prevention of corrosion', 'Coating', 'Sacrificial anodes', 'Electrolysis', 'Electrolysis of molten sodium chloride', 'Electrolysis of water', 'Electrolysis of aqueous solutions', 'Electrolysis of a solution of sodium chloride', 'References'], ['History and influence', 'Essence of education', 'Participants in education', 'Alternative approaches to education', 'Educational philosophies', 'Branches of education', 'Education by level or stage', 'Education by sector', 'Netherlands', 'UK', 'United States', 'State laws', 'List', 'Compounds', 'Acetylides', 'Fulminates', 'Nitro', 'Nitrates', 'Fiction', 'See also', 'Population', 'Nationality', 'Vital statistics', 'Structure of the population', 'Infant mortality rate', 'Life expectancy', 'Ethnic groups', 'Languages', 'Religion', 'References', 'Other organizations', 'Law and politics', 'Products', 'Other uses', 'See also', 'World standings', "Season's bests", 'Music and clothing', 'Music', 'Clothing', 'Eligibility', 'Age eligibility', 'Other eligibility rules', "Competitors' expenses, income, and funding", 'Injuries and health issues', 'Prose Edda', 'Heimskringla and sagas', 'Archaeological record', 'Scholarly reception and interpretation', 'Modern influence', 'See also', 'Notes', 'References'], ['Education', 'Mechanical engineering', 'Electronic engineering', 'Negative feedback', 'Positive feedback', 'Oscillator', 'Latches and flip-flops', 'Software', 'User interface design', 'Video feedback', 'Second Battle of Ruweisat Ridge (El Mreir)', 'Attack on Tel el Eisa resumed', 'Operation Manhood', 'Aftermath', 'See also', 'Notes', 'Citations', 'References'], ['Food and drink', 'Literature', 'Adinkra', 'Traditional clothing', 'Modern clothing', 'Music and dance', 'Film', 'Media', 'Sports', 'Cultural heritage and architecture', 'Physical properties', 'Isotopes', 'Chemical properties', 'Aqueous chemistry', 'Oxides and chalcogenides', 'Nitrides and pnictides', 'Definition', 'Cartesian coordinates', 'Cylindrical and spherical coordinates', 'General coordinates', 'Gradient and the derivative or differential', 'Differential or (exterior) derivative', 'Linear approximation to a function', 'Gradient as a "derivative"', 'Linearity', 'Product rule', 'Society', 'Religion', 'Law', 'Warfare', 'Economy', 'Legacy', 'List of early literature on the Goths', 'In the sagas', 'In Greco-Roman literature', 'See also', 'Distinctions', 'Etymology', 'Graphonomics', 'Archaeology', 'See also', 'Notes', 'References'], ['Founding', 'Advocacy activities', 'Predicting Future Climate Change: A Primer', 'IPCC Second Assessment Report'], ['Early life', 'Dramatist and novelist', 'Sister', 'Marriages', 'Jurist and magistrate', 'List of works', 'Novels', 'Partial list of poems', 'Plays', 'Miscellaneous writings', 'Healthcare', 'Transportation', 'Roadways', 'Transit', 'Cycling', 'Airports', 'International relations', 'See also', 'Notes', 'References', 'Apple Lisa and Macintosh (and later, the Apple IIgs)', 'Agat', 'SGI 1000 series and MEX', 'Visi On', 'GEM (Graphics Environment Manager)', 'DeskMate', 'MSX-View', 'Amiga Intuition and the Workbench', 'Acorn BBC Master Compact', 'Arthur / RISC OS', 'Lists of former Hansa cities', 'Hansa Proper', 'Kontore', 'Ports with Hansa trading posts', 'Other cities with a Hansa community', 'Legacy Hanseatic connections', 'Modern versions of the Hanseatic League', '"City League The Hanse"', 'New Hanseatic League', 'Historical maps', 'Ideo-dynamic reflex', 'Susceptibility', 'History', 'Precursors', 'Avicenna', 'Franz Mesmer', 'James Braid', 'Hysteria vs. suggestion', 'Pierre Janet', 'Sigmund Freud', 'Afsharids', 'Zands', 'Qajars', 'Pahlavi dynasty', '1951–1978: Mosaddegh, Shah Mohammad Reza Pahlavi', 'Since the 1979 Islamic Revolution', 'Geography', 'Climate', 'Fauna', 'Administrative divisions', 'Party balance', 'History of corruption', 'U.S. presidential elections', 'African-American U.S. senators', 'Political families', 'Stevenson', 'Daley', 'Pritzker', 'Education', 'Illinois State Board of education', 'International Ido conventions', 'See also', 'References'], ['Executive Board', 'Managing Director', 'List of Managing Directors', 'First Deputy Managing Director', 'List of First Deputy Managing Directors', 'Voting power', 'Effects of the quota system', 'Inflexibility of voting power', 'Overcoming borrower/creditor divide', 'Use', 'Zina verse', 'Cupbearers in paradise', 'In the hadiths', 'Transgender', 'Traditional Islamic law', 'Sunni', 'Shia', 'Practicality', 'Modern interpretation', 'History of homosexuality in Islamic societies', 'References', 'The Crown', 'Constitution', 'Early life', 'Military career in American Revolutionary War', 'Marriage and family', 'Member of Parliament', 'Lieutenant Governor of Upper Canada', 'Health issues', 'Longevity', 'Funeral and burial plans', 'Public image and legacy', 'Public opinion', 'Legacy', 'In popular culture', 'Honors and awards', 'See also', 'Notes', 'See also', 'References', 'Bibliography', 'Further reading'], ['Etymology', 'Influences', 'Depiction', 'The Skywalker saga', 'Original trilogy', 'Prequel trilogy', 'Sequel trilogy', 'Anthologies and derivative works', 'Members', 'Yoda', 'Decline and end of production', 'Operational history', 'Spanish Civil War', 'Second World War', 'Poland', 'Norway', 'France and the Low Countries', 'Battle of Britain', 'North Africa and the Mediterranean', 'Eastern front']]



['Wikipedia: DDR SDRAM', 'Wikipedia: Edlin', 'Wikipedia: Earless seal', 'Wikipedia: Politics of French Guiana', 'Wikipedia: Freehold', 'Wikipedia: Furigana', 'Wikipedia: First Italo-Ethiopian War', 'Wikipedia: Glycolysis', 'Wikipedia: Goth subculture', 'Wikipedia: Henry Ford', 'Wikipedia: Hate crime', 'Wikipedia: Head (disambiguation)', 'Wikipedia: Harvard (disambiguation)', 'Wikipedia: John Napier', 'Wikipedia: Jane Shore']
[['Writer', 'Visiting scholar positions', 'Return to Outliners', 'Projects and activities', '24 Hours of Democracy', 'Edit This Page', 'Podcasting', 'BloggerCon', 'Weblogs.com', 'Share your OPML', 'History', 'Specification', 'Modules', 'Chronology', 'Formation', 'Geological history', 'Origin of life and evolution', 'Future', 'Physical characteristics', 'Shape', 'Chemical composition', 'Internal structure', 'Heat', 'Cinema', 'Sports', 'See also', 'Notes', 'References', 'Sources'], ["Quantitative electrolysis and Faraday's laws", 'First law', 'Second law', 'Applications', 'See also', 'References', 'Bibliography'], ['Features', 'Example', 'Cultural references', 'See also', 'References'], ['Education by specialization or department', 'Academic disciplines', 'Educational certifications (for students)', 'Educational qualifications (for teachers)', 'History of education', 'Educational organizations', 'Libraries', 'Types of libraries', 'Specific libraries', 'Museums', 'Amines', 'Peroxides', 'Oxides', 'Unsorted', 'Mixtures', 'Elements and isotopes', 'See also', 'References', 'Further reading'], ['See also', 'Systematics', 'Key issues and  players', 'General Council of French Guiana', 'Composition', 'Precise formulation of the theorem', 'Early proof attempts', 'Proof by computer', 'Simplification and verification', 'Summary of proof ideas', 'False disproofs', 'Three-coloring', 'Generalizations', 'History', 'Early 1900s', 'After World War II', 'Effect of television and the present day', 'References', 'General references'], ['In real estate', 'Places', 'In fiction', 'Other', 'Human Resource Management', 'Economics and finance', 'See also', 'References', 'Further reading'], ['Background', 'Treaty of Wuchale', 'Opening campaigns', 'Battle of Adwa', 'National symbols', 'Tourism', 'See also', 'References', 'Further reading'], ['General information', 'Trade', 'Halides', 'Hydrides', 'Organogallium compounds', 'History', 'Occurrence', 'Production and availability', 'Applications', 'Semiconductors', 'Galinstan and other alloys', 'Biomedical applications', 'Chain rule', 'Further properties and applications', 'Level sets', 'Conservative vector fields and the gradient theorem', 'Generalizations', 'Gradient of a vector', 'Riemannian manifolds', 'See also', 'Notes', 'References', 'Notes and sources', 'Notes', 'Footnotes', 'Ancient sources', 'Modern sources', 'Further reading', 'Music', 'Origins and development', 'Gothic genre', 'Art, historical and cultural influences', 'Opposition to Kyoto Protocol', 'Membership decline and dissolution', 'Reception', 'Members', 'Membership notes', 'References', 'Bibliography'], ['Localities', 'International relations', 'Twin towns — sister cities', 'See also', 'References'], ['References'], ['History', 'Further reading'], ['Arts, entertainment, and media', 'Desktop', 'Font manager', 'MS-DOS file managers and utility suites', 'Applications under MS-DOS with proprietary GUIs', 'Microsoft Windows (16-bit versions)', 'GEOS', 'The X Window System', 'NeWS', 'The 1990s: Mainstream usage of the desktop', 'Windows 95 and "a computer in every home"', 'See also', 'References', 'Further reading', 'Historiography'], ['Émile Coué', 'Clark L. Hull', 'Dave Elman', 'Milton Erickson', 'Cognitive-behavioural', 'Applications', 'Hypnotherapy', 'Irritable bowel syndrome', 'Pain management', 'Other', 'Government and politics', 'Supreme Leader', 'Guardian Council', 'President', 'Legislature', 'Law', 'Foreign relations', 'Military', 'Mandatory military service', 'Economy', 'Primary and secondary schools', 'Colleges and universities', 'Infrastructure', 'Transportation', 'Airports', 'Rail', 'Interstate highway system', 'U.S. highway system', 'Gallery', 'See also', 'History', 'Modern', 'Improvisational comedy', 'Non-comedic, experimental, and dramatic, narrative-based improvisational theater', 'Applying improv principles in life', 'In film and television', 'Psychology', 'Structure and process', 'Community', 'Exceptional Access Framework – sovereign debt', 'Impact', 'Criticisms', 'Conditionality', 'Reform', 'Function and policies', 'US influence and voting reform', 'Support of dictatorships', 'Impact on access to food', 'Impact on public health', 'Pre-modern era', 'Modern era', 'Pederasty', 'Modern laws in the Islamic world', 'Criminalization', 'Death penalty', 'Minor penalty', 'Legalization', 'Same-sex marriage', 'Public opinion among Muslims', 'Relations with the United Kingdom', 'International relations', 'Separation debate', 'Legislature', 'Executive', 'Political parties', '18th century', '19th century', 'After the Occupation', 'The 1980s', 'Haitian Revolution and later career', 'Legacy', 'In popular culture', 'Footnotes', 'Further reading', 'Primary sources'], ['References', 'Further reading', 'Primary sources'], ['Alternatives', 'Notes'], ['Mace Windu', 'Count Dooku', 'Qui-Gon Jinn', 'Obi-Wan Kenobi', 'Anakin Skywalker', 'Ahsoka Tano', 'Cal Kestis', 'Cere Junda', 'Kanan Jarrus', 'Ezra Bridger', 'Barbarossa; 1941', 'Fall Blau to Stalingrad; 1942', 'Kursk and decline; 1943', 'Operation Bagration to Berlin 1944–1945', 'Operators', 'Surviving aircraft', 'Specifications (Ju 87B-1)', 'See also', 'Notes', 'References']]



['Wikipedia: December 10', 'Wikipedia: History of Equatorial Guinea', 'Wikipedia: Edinburgh', 'Wikipedia: Enter the Dragon', 'Wikipedia: Economy of French Guiana', 'Wikipedia: Fahrenheit 451', 'Wikipedia: Fudge (role-playing game system)', 'Wikipedia: Felix Wankel', 'Wikipedia: Frederick Soddy', 'Wikipedia: Geography of Ghana', 'Wikipedia: Gauss (unit)', 'Wikipedia: Gotham City', 'Wikipedia: Ian Murdock', 'Wikipedia: International Space Station', 'Wikipedia: John Wilkes Booth', 'Wikipedia: Book of Jarom']
[['Rebooting the News', 'References', 'Further reading'], ['Chip characteristics', 'Double data rate (DDR) SDRAM specification', 'Organization', 'High-density RAM', 'Generations', 'Mobile DDR', 'See also', 'References'], ['Tectonic plates', 'Surface', 'Hydrosphere', 'Atmosphere', 'Weather and climate', 'Upper atmosphere', 'Gravitational field', 'Magnetic field', 'Magnetosphere', 'Orbit and rotation', 'Pre-colonial history', 'Colonial era', 'Portuguese, Spanish, and (briefly) British empires', 'Spanish colonial territory', 'Spanish Civil War, 1936–1939', 'Provincialisation and decolonisation', 'Etymology', 'Nicknames', 'History', 'Early history', '17th century', 'History', 'Usage', 'Scripts', 'FreeDOS Edlin', 'See also', 'References', 'Further reading', 'Types of museums', 'Specific museums', 'Schools', 'Types of schools', 'Specific schools', 'General education concepts', 'Pedagogy', 'Education scholars and leaders in education', 'Economics of education', 'See also', 'Plot', 'Cast', 'Production', 'Evolution', 'Taxonomy', 'Extant genera', 'Biology', 'External anatomy', 'Communication', 'Reproduction', 'Growth and maturation', 'Feeding strategy', 'See also', 'Regional Council of Guiana', 'Parliamentary representation', 'Current deputies', 'See also', 'References', 'Relation to other areas of mathematics', 'Use outside of mathematics', 'See also', 'Notes', 'References'], ['History', 'Name', 'Game mechanics', 'Fudge dice', 'Complexity', 'Reception', 'Early life', 'Wankel and the NSDAP', 'Career', 'Appearance', 'Alignment rules in word processing or typesetting', 'Usage', 'Names', 'Language learning', 'Punning and double meaning', 'Other Japanese reading aids', 'National unity created by Menelik II', 'Outcome and consequences', 'Gallery', 'See also', 'Notes', 'References', 'Location and density', 'Terrain of Ghana', 'Geographical regions', 'Low plains', 'Volta Basin', 'Radiogallium salts', 'Other uses', 'Precautions', 'See also', 'References', 'Bibliography'], ['Further reading'], ['Name, symbol, and metric prefixes', 'Overview', 'History', 'Sequence of reactions', 'Summary of reactions', 'Biochemical logic', 'Free energy changes', 'Regulation', '18th and 19th centuries', 'Visual art influences', '20th century influences', '21st century', 'Characteristics of the scene', 'Icons', 'Fashion', 'Influences', 'Styling', 'Reciprocity', 'Origin of name', 'Geography', 'Location in New Jersey', 'In relation to Metropolis', 'History', 'Early life', 'Marriage and family', 'Career', 'Ford Motor Company', 'Model T', "Model A and Ford's later career", 'Labor philosophy', 'Psychological effects', 'Motivation', 'Laws', 'Eurasia', 'European Union', 'Andorra', 'Armenia', 'Austria', 'Azerbaijan', 'Belarus', 'Music', 'Albums', 'Songs', 'Other music', 'Film and television', 'Other arts', 'Companies and brands', 'Computing', 'Maritime', 'Science', 'Mac OS', 'GUIs built on the X Window System', 'Amiga', 'OS/2', 'NeXTSTEP', 'BeOS', 'Current trends', 'Mobile devices', '3D user interface', 'Notebook interface', 'People', 'Boston area', 'Cities', 'Aeroplanes', 'Other', 'Military', 'Self-hypnosis', 'Stage hypnosis', 'Music', 'Satanic brainwashing', 'Crime', 'State vs. nonstate', 'Hyper-suggestibility', 'Conditioned inhibition', 'Neuropsychology', 'Tourism', 'Energy', 'Education, science and technology', 'Demographics', 'Languages', 'Ethnic groups', 'Religion', 'Culture', 'Art', 'Architecture', 'References', 'Further reading'], ['Notable contributors to the field', 'See also', 'Notes', 'References', 'Further reading'], ['Impact on environment', 'IMF and globalization', 'Impact on  gender equality', 'Scandals', 'Alternatives', 'In the media', 'See also', 'Notes', 'References', 'Footnotes', 'Opinion polls', 'Muslims leaders', 'LGBT-related movements within Islam', 'Conservative movements', 'Ex-gay organizations', 'Chechnya anti-gay purge', 'Attempts against LGBT people', 'Liberal movements', 'Defunct movements', 'Active movements', 'After the 2005 constitutional reforms', 'Local government', 'Jersey Politicians', 'Elections in Jersey', 'Political pressure groups', 'Interest Groups', 'Quangos', 'See also', 'References', 'Bibliography', 'Background and early life', 'Evidence that shows Booth converted to Catholicism', 'Theatrical career', '1850s', '1860s', 'Business ventures', 'Life', 'Advances in mathematics', 'Theology', 'The occult', 'Influence', 'Eponyms', 'Family', 'List of works', 'See also', 'Early life and first marriage', 'Royal mistress', 'Prison, second marriage and later life', 'Fiction', 'Drama', 'Poetry', 'Novels', 'Film', 'Luke Skywalker', 'Ben Solo', 'Rey', 'Force-sensitive organizations', 'The Sith Organization', 'Dark side adept', 'Force-wielders without affiliation', 'Description', 'The Jedi Code', 'The Four Councils', 'Bibliography', 'Further reading'], []]



['Wikipedia: Don Rosa', 'Wikipedia: Geography of Equatorial Guinea', 'Wikipedia: EBCDIC', 'Wikipedia: Outline of engineering', 'Wikipedia: Espionage', 'Wikipedia: Telecommunications in French Guiana', 'Wikipedia: February 12', 'Wikipedia: Germanium', 'Wikipedia: Glacier', 'Wikipedia: Hard disk drive', 'Wikipedia: Hezbollah', 'Wikipedia: Historical African place names', 'Wikipedia: Inner product space', 'Wikipedia: Islands of the Clyde', 'Wikipedia: Economy of Jersey', 'Wikipedia: Johann Heinrich Alsted', 'Wikipedia: Jack Kemp', 'Wikipedia: Keanu Reeves']
[['Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['Early life', 'Career', 'Gladstone', 'Egmont', 'Rotation', 'Orbit', 'Axial tilt and seasons', 'Habitability', 'Biosphere', 'Natural resources and land use', 'Natural and environmental hazards', 'Human geography', 'Moon', 'Asteroids and artificial satellites', 'Independence', '1990s–2000s', 'Footnotes'], ['18th century', '19th and 20th centuries', 'Geography', 'Cityscape', 'Areas', 'Climate', 'Demography', 'Current', 'Historical', 'Religion'], ['History', 'Compatibility with ASCII', 'References'], ['Branches of Engineering', 'Writing', 'Casting', 'Filming', 'Soundtrack', 'Release', 'Marketing', 'Box office', 'Critical reception', 'Home media', 'Legacy', 'References'], ['History', 'References', 'See also', 'Plot summary', '"The Hearth and the Salamander"', '"The Sieve and the Sand"', '"Burning Bright"', 'Characters', 'Title', 'Historical context', 'Reviews', 'References'], ['Personal life', 'Licenses', 'Honors and awards', 'See also', 'References', 'Cited sources'], ['Okurigana', 'Kunten', 'Furikanji', 'See also', 'References', 'Bibliography'], ['Biography', 'Scientific career', 'Economics', 'Antisemitic views', "Descartes' theorem", 'Honours and awards', 'Personal life', 'High plains', 'Rivers and lakes', 'Natural hazards', 'Environmental issues', 'Other', 'Extreme points', 'Gallery', 'See also', 'References', 'History', 'Characteristics', 'Chemistry', 'Isotopes', 'Occurrence', 'Production', 'Unit conversions', 'Typical values', 'See also', 'Notes', 'References', 'Regulation by insulin in animals', 'Regulation of the rate limiting enzymes', 'Hexokinase and glucokinase', 'Phosphofructokinase', 'Pyruvate kinase', 'Post-glycolysis processes', 'Anoxic regeneration of NAD+===', 'Aerobic regeneration of NAD+, and disposal of pyruvate', 'Conversion of carbohydrates into fatty acids and cholesterol', 'Conversion of pyruvate into oxaloacetate for the citric acid cycle', 'Critique', 'Films', 'Books and magazines', 'Graphic art', 'Events', 'Interior design', 'Sociology', 'Gender and sexuality', 'Identity', 'Media and academic commentary', 'Culture', 'Architecture', 'Education', 'Notable residents', 'Gotham City Police Department', 'In other media', 'Television', 'Arrowverse', 'Films', '1989 Batman series', 'The five-dollar wage', 'The five-day workweek', 'Labor unions', 'Ford Airplane Company', 'Willow Run', 'Peace and war', 'World War I era', "The coming of World War II and Ford's mental collapse", 'The Dearborn Independent and antisemitism', 'International business', 'Belgium', 'Bosnia and Herzegovina', 'Bulgaria', 'Croatia', 'Czech Republic', 'Denmark', 'Estonia', 'Finland', 'Nepal', 'France', 'Technology', 'Titles', 'Other uses', 'See also', 'Virtual reality and presence', 'See also', 'References'], ['Africa-related lists', 'All articles lacking sources', 'Articles lacking sources from October 2014', 'History of Africa', 'Names of places in Africa', 'Dissociation', 'Neodissociation', 'Social role-taking theory', 'Cognitive-behavioural theory', 'Information theory', 'Systems theory', 'Societies', 'See also', 'Historical figures', 'Modern researchers', 'Weaving', 'Literature', 'Philosophy', 'Mythology', 'Music', 'Theater', 'Cinema and animation', 'Observances', 'Public holidays', 'Cuisine', 'Life and career', 'Death', 'See also', 'References'], ['Purpose', 'Scientific research', 'Freefall', 'Exploration', 'Education and cultural outreach', 'Construction', 'Manufacturing', 'Bibliography', 'Further reading'], ['Muslim LGBT rights activists', 'In popular culture', 'Books', 'Islam and Homosexuality', 'Progressive Muslims: On Justice, Gender, and Pluralism', 'Sexual Ethics and Islam', 'Miscellaneous', 'Films and media', 'Terminology', 'See also'], ['Financial and legal services', 'Construction', 'Civil War years', 'Plot to kidnap Lincoln', 'Assassination of Lincoln', 'Reaction and pursuit', 'Death', 'Aftermath', "Theories of Booth's motivation", "Theories of Booth's escape", 'In popular culture', 'Film', 'Notes', 'References', 'Further reading'], ['Television', 'See also', 'References', 'Sources'], ['Jedi High Council', 'Council of First Knowledge', 'Council of Reconciliation', 'Council of Reassignment', 'Ranks of authority and educational progress', 'Initiate', 'Padawan', 'Knight', 'Master', 'Specializations and occupations', 'Blood drinking', 'Record Legacy', 'References'], []]



['Wikipedia: Taiko', 'Wikipedia: English Channel', 'Wikipedia: Exothermic process', 'Wikipedia: Transport in French Guiana', 'Wikipedia: Frederick Copleston', 'Wikipedia: February 4', 'Wikipedia: Francis II, Holy Roman Emperor', 'Wikipedia: Fur seal', 'Wikipedia: Demographics of Ghana', 'Wikipedia: Horror fiction', 'Wikipedia: Henry Chadwick (writer)', 'Wikipedia: Infanticide']
[['History', 'Origin', 'Use in warfare', 'In traditional settings', 'Kumi-daiko', 'Categorization', 'On strike', 'Quitting', 'Personal life', 'Character', 'Hobbies', 'Work', 'Drawing style', 'Carl Barks', 'D.U.C.K.', 'Mickeys', 'Cultural and historical viewpoint', 'See also', 'Notes', 'References', 'Further reading'], ['Boundaries', 'Climate', 'Terrain', 'Extreme points', 'See also', 'References', 'Economy', 'Culture', 'Festivals and celebrations', 'Edinburgh festival', "Edinburgh's Hogmanay", 'Beltane and other festivals', 'Music, theatre and film', 'Media', 'Newspapers', 'Radio', 'Code page layout', 'Definitions of non-ASCII EBCDIC controls', 'Code pages with Latin-1 character sets', 'Criticism and humor', 'See also', 'References'], ['History of Engineering', 'Engineering Concepts', 'Engineering education and certification', 'Engineering Awards', 'Engineering publications', 'Persons influential in the field of engineering', 'Lists', 'See also', 'See also', 'References'], ['Today', 'Targets of espionage', 'Methods and terminology', 'Technology and techniques', 'Organization', 'Industrial espionage', 'Agents in espionage', 'Law', 'History of espionage laws', 'Use against non-spies', 'See also', 'The bus', 'Writing and development', 'Supplementary material', 'Publication history', 'Expurgation', 'Non-print publications', 'Reception', 'Censorship/banning incidents', 'Themes', 'Predictions for the future', 'Adaptations', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['Early life', 'Emperor', 'Domestic policy', 'Later years', 'Marriages', 'Children', 'Bibliography', 'See also', 'References'], ['Languages', 'Ethnic groups', 'Education', 'Demographic trends', 'Applications', 'Optics', 'Electronics', 'Other uses', 'Germanium and health', 'Precautions for chemically reactive germanium compounds', 'See also', 'Notes', 'References'], ['Etymology and related terms', 'Types', 'Classification by size, shape and behavior', 'Classification by thermal state', 'Formation', 'Structure', 'Motion', 'Fracture zone and cracks', 'Intermediates for other pathways', 'Glycolysis in disease', 'Diabetes', 'Genetic diseases', 'Cancer', 'Interactive pathway map', 'Alternative nomenclature', 'Structure of glycolysis components in Fischer projections and polygonal model', 'See also', 'References', 'Perception on nonviolence', 'School shootings', 'Prejudice and violence directed at goths', 'Self-harm study', 'See also', 'References', 'Citations', 'Bibliography', 'Further reading', 'The Dark Knight Trilogy', 'DC Extended Universe', 'DC Black', 'Animated films', 'Video games', 'Batman: Arkham', 'References', 'Sources', 'Racing', 'Later career and death', 'Personal interests', 'Interest in materials science and engineering', 'Florida and Georgia residences and community', 'Preserving Americana', 'In popular culture', 'Honors and recognition', 'See also', 'References', 'Georgia', 'Germany', 'Greece', 'Hungary', 'Iceland', 'India', 'Ireland', 'Italy', 'Kazakhstan', 'Kyrgyzstan', 'History', 'Technology', 'Magnetic recording', 'Components', 'Error rates and handling', 'Development', 'Capacity', 'Calculation', 'Formatting', 'History', 'Foundation', '1980s', 'After 1990', 'Islamic Jihad Organization (IJO)', 'Ideology', '1985 manifesto', 'Attitudes, statements, and actions concerning Israel and Zionism', 'Attitudes and actions concerning Jews and Judaism', 'History', 'Horror in ancient Greece and Rome', 'Horror after AD 1000', 'Gothic horror in the 18th century', 'Related subjects', 'References', 'Bibliography'], ['Sports', 'Media', 'Fashion and clothing', 'See also', 'Notes', 'References', 'Bibliography'], ['Definition', 'Elementary properties', 'Alternative definitions, notations and remarks', 'Some examples', 'Real numbers', 'Euclidean vector space', 'Complex coordinate space', 'Hilbert space', 'Assembly', 'Structure', 'Pressurised modules', 'Zarya', 'Unity', 'Zvezda', 'Destiny', 'Quest', 'Pirs and Poisk', 'Harmony', 'Geology and geography', 'Climate', 'History', 'Prehistory', 'Early Scots rule', 'Viking influence', 'Modern Scotland', 'Islands', 'Outlying islands', 'Non-islands', 'References', 'Notes', 'Citations', 'Sources', 'Further reading', 'Retail and wholesale', 'Agriculture', 'Tourism', 'Hotels', 'Transport, storage and communication', 'Stock exchange', 'Seasonal workers', 'Traditional and historical economy', 'Textiles', 'Ship building', 'Literature', 'Stage productions', 'Television', 'Music', 'Video games', 'See also', 'References', 'Footnotes', 'Bibliography', 'Further reading', 'Life', 'Works', 'Encyclopedist', "Alstedius' Encyclopedia Biblica", 'Logician', 'Theologian', 'Publications', 'See also', 'References', 'Early life', 'Youth', 'College', 'Marriage, family, and faith', 'Football career', 'Sid Gillman era (1960–1962)', 'Lou Saban era (1962–1965)', 'Joe Collier and John Rauch eras (1966–1969)', 'Hierarchy', 'Divisions', 'Resources and technology', 'Weapons', 'Vehicles', 'Jedi Archives', 'Jedi Academy', 'Jedi Temple', 'Legends depiction of the Jedi', "Je'daii", 'Early life', 'Career', '1984–1990: Early work', '1991–1994: Breakthrough with adult roles', '1995–1998: Continued acting efforts', '1999–2004: Stardom with The Matrix franchise and comedies', '2005–2013: Thrillers, documentaries and directorial debut', '2014–present: Resurgence and John Wick', 'Upcoming projects']]



['Wikipedia: Demographics of Equatorial Guinea', 'Wikipedia: Endoplasmic reticulum', 'Wikipedia: Outline of entertainment', 'Wikipedia: February 8', 'Wikipedia: Gadolinium', 'Wikipedia: Gary North (economist)', 'Wikipedia: Global warming potential', 'Wikipedia: Charles Goren', 'Wikipedia: Human geography', 'Wikipedia: History of Iraq', 'Wikipedia: International Bank Account Number', 'Wikipedia: Telecommunications in Jersey', 'Wikipedia: January 17', 'Wikipedia: July 22']
[['Construction', 'Process', 'Drum makers', 'Performance', 'Form', 'Instrumentation', 'Clothing', 'Education', 'Regional styles', 'Eisa', 'Awards', 'Biographical works', 'Comic collections', 'United States', 'Other countries', 'See also', 'References'], ['Name', 'Nature', 'Geography', 'Geological origins', 'Ecology', 'Human history', 'Route to Britain', 'Population', 'Vital statistics', 'Fertility and births', 'Life expectancy', 'Ethnic groups', 'Peoples considered as natives', 'Television', 'Museums, libraries and galleries', 'Shopping', 'Governance', 'Local government', 'Scottish Parliament', 'UK Parliament', 'Transport', 'Education', 'Healthcare', 'History', 'Structure', 'Rough endoplasmic reticulum', 'Smooth endoplasmic reticulum', 'Sarcoplasmic reticulum', 'Functions', 'Types of entertainment', 'Exhibition entertainment', 'Live entertainment', 'Mass media entertainment industry', 'Electronic entertainment', 'Overview', 'Examples', 'Implications for chemical reactions', 'Contrast between thermodynamic and biological terminology', 'See also', 'References'], ['Espionage laws in the UK', 'Government intelligence laws and its distinction from espionage', 'Military conflicts', 'Spy fiction', 'See also', 'References', 'Works cited', 'Further reading'], ['Line 1', 'Line 2', 'Line No. 3', 'Line No. 4', 'Line No. 5', 'Line No. PC1', 'Line No. PC 2', 'Air links', 'Intercity carriers', 'Shared taxis', 'Television', 'Film', 'Theater', 'Radio', 'Computer games', 'Comics', 'Cultural references', 'Notes', 'See also', 'References', 'Biography', 'Legacy', 'Works', 'References'], ['Events', 'Births', 'Deaths', 'Titles, honours and heraldry', 'Titles', 'Orders and decorations', 'Heraldry', 'Ancestors', 'See also', 'Notes', 'References', 'Citations', 'Sources', 'Taxonomy', 'Physical appearance', 'Habitat', 'Behavior and ecology', 'Population and survival', 'See also', 'References', 'Further reading', 'Fertility and Births based on Demographics Health Survey', 'Fertility and Births (Census 2000 & 2010)', 'Life expectancy', 'Other demographic statistics', 'Population', 'Age structure', 'Population growth rate', 'Birth rate', 'Death rate', 'Total fertility rate', 'Characteristics', 'Physical properties', 'Chemical properties', 'Speed', 'Ogives', 'Geography', 'Glacial geology', 'Moraines', 'Drumlins', 'Glacial valleys, cirques, arêtes, and pyramidal peaks', 'Roches moutonnées', 'Alluvial stratification', 'Glacial deposits'], ['Education and background', 'Career', 'Values', 'Use in Kyoto Protocol and UNFCCC', 'Importance of time horizon', 'Water vapour', 'Early years', 'Bridge contributions', 'Point count system', 'Four-card suits', 'Other contributions', 'Bibliography', 'Further reading', 'Memoirs by Ford Motor Company principals', 'Biographies', 'Specialized studies'], ['Russia', 'Spain', 'Sweden', 'Ukraine', 'United Kingdom', 'Scotland', 'Eurasian countries with no hate crime laws', 'North America', 'Canada', 'Mexico', 'Units', 'Price evolution', 'Form factors', 'Performance characteristics', 'Latency', 'Data transfer rate', 'Other considerations', 'Access and interfaces', 'Integrity and failure', 'Market segments', 'Organization', 'Funding', 'Social services', 'Political activities', 'Media operations', 'Secret services', 'Armed strength', 'Military activities', 'Lebanese Resistance Brigades', 'The beginning of its military activities: the South Lebanon conflict', 'Horror in the 19th century', 'Horror in the 20th century', 'Post-millennial horror fiction', 'Characteristics', 'Scholarship and criticism', 'Awards and associations', 'Alternate terms', 'See also', 'References', 'Further reading', 'Early life', 'Contributions to baseball', 'Promotion of the game', 'Box scores and statistics', 'Journalistic style', 'Later life', 'Legacy', 'Notes', 'References', 'Prehistory', 'Ancient Mesopotamia', 'Bronze Age', 'Iron Age', 'Classical Antiquity', 'Random variables', 'Real matrices', 'Vector spaces with forms', 'Orthonormal sequences', 'Operators on inner product spaces', 'Generalizations', 'Degenerate inner products', 'Nondegenerate conjugate symmetric forms', 'Related products', 'See also', 'Tranquility', 'Columbus', 'Kibō', 'Cupola', 'Rassvet', 'Leonardo', 'Bigelow Expandable Activity Module', 'International Docking Adapter', 'Unpressurised elements', 'Robotic arms and cargo cranes', 'Natural history', 'Etymology', 'See also', 'Notes', 'Footnotes', 'References', 'History', 'Paleolithic and Neolithic', 'In ancient history', 'In the New World', 'In the Old World', 'Ancient Egypt', 'Carthage', 'Greece and Rome', 'Historical exchange rates', 'Taxation', 'See also', 'References'], [], ['Events', 'Births', 'Notes', 'Further reading'], ['Career summary', 'Political career', 'House of Representatives (1971–1989)', 'Presidential bid (1988)', 'Cabinet (1989–1993)', 'Post-HUD years (1993–1996)', 'Vice presidential nomination (1996)', 'Late career', 'Illness and death', 'Legacy', 'The New Jedi Order', 'Cultural impact and critical response', 'Analysis', 'Media', 'Religion', 'See also', 'References', 'Further reading'], ['Personal life', 'Business and philanthropy', 'In the media', 'Filmography and accolades', 'Bibliography', 'Notes', 'References', 'Further reading'], []]



['Wikipedia: Ernest Rutherford', 'Wikipedia: List of contemporary ethnic groups', 'Wikipedia: Émile Baudot', 'Wikipedia: East Pakistan', 'Wikipedia: François Truffaut', 'Wikipedia: February 16', 'Wikipedia: Fauna (disambiguation)', 'Wikipedia: German Unity Day', 'Wikipedia: Gylfaginning', 'Wikipedia: Guernica', 'Wikipedia: Grothendieck topology', 'Wikipedia: Galactus', 'Wikipedia: Hans Christian Andersen', 'Wikipedia: Hebrew calendar', 'Wikipedia: January 18', 'Wikipedia: Julian Lennon', 'Wikipedia: Koto (instrument)']
[['Notable performers and groups', 'Glossary', 'See also', 'References', 'Notes', 'Citations', 'Bibliography'], ['Man with a Movie Camera', 'Cine-Eye', 'Late career', 'Family', 'Influence and legacy', 'Filmography', 'See also', 'Footnotes', 'References'], ['Shipping through', 'Ferry', 'Channel Tunnel', 'Tourism', 'Renewable energy', 'History of Channel crossings', 'By boat', 'By air', 'By swimming', 'By car', 'Contraceptive prevalence rate', 'Net migration rate', 'Dependency ratios', 'Urbanization', 'Sex ratio', 'Life expectancy at birth', 'Religions', 'Literacy', 'See also', 'References', 'Notes', 'References', 'Further reading'], ['Art, entertainment, and media', 'Fictional entities', 'Films', 'Literature', 'Games', 'Music', 'Groups', 'Albums', 'References'], ['Ethnic groups', 'Yale University', 'Controversy', 'Cultural references', 'References'], [], ['History', 'One Unit and Islamic Republic', 'Exile III: Ruined World', 'Blades of Exile', 'Release', 'Reception', 'Avernum', 'Engine and Interface', 'See also', 'References'], ['References'], ['Early life', 'Missionary work', 'Goa and India', 'South East Asia', 'Japan', 'China', 'Burials and relics', 'Veneration', 'Beatification and canonization', 'Pilgrimage centres', 'Goa', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['Notable work', 'Leadership and honours', 'Family', 'Books', 'Arms', 'See also', 'References', 'Further reading'], ['See also', 'Religions', 'Literacy', 'School life expectancy (primary to tertiary education)', 'Unemployment, youth ages 15-24', 'Demographic history', 'Population distribution', 'Urban-rural disparities', 'References'], ['History', 'Imperial Germany', 'Weimar Republic', 'National Socialism', 'Summary', 'References', 'Bibliography'], ['See also', 'References'], ['Overview', 'Definition', 'Motivation', 'Sieves', 'Grothendieck topology', 'Axioms', 'Publication history', 'Origin', '1960s', 'Politics', 'Population', 'Settlement', 'Urbanism', 'Philosophical and theoretical approaches', 'List of notable human geographers', 'Journals', 'See also', 'Notes', 'References'], ['Early life', 'Career', 'Components', 'Day and hours', 'Weeks', 'Names of weekdays', 'Days of week of holidays', 'Assassination of Rafic Hariri', 'Involvement in the Syrian Civil War', 'Involvement in Iranian-led intervention in Iraq', 'Latin America operations', 'Other', 'Attacks on Hezbollah leaders', 'Targeting policy', 'Foreign relations', 'Public opinion', 'Designation as a terrorist organization or resistance movement', 'Properties', 'Examples', 'Several variables', 'Extension to functional analysis', 'See also', 'References', 'Further reading'], ['Types', 'General', 'Liberal arts', 'Engineering', 'Performing arts', 'Plastic or visual arts', 'Vocational', 'Professional higher education', 'Statistics', 'Recognition of studies', 'British mandate', 'Independent Kingdom of Iraq', 'Republic of Iraq', "Ba'athist Iraq", 'Under Saddam Hussein', 'Recent history (2003–present)', '2003 invasion', 'Occupation (2003–11)', 'Insurgency and civil war (2011–present)', 'See also', 'Early life', 'Career', 'Writing career', 'Radio and television', 'Theatre', 'Politics', 'Personal life', 'Illness and death', 'Remembrance and tribute', 'Awards and nominations', 'Atmospheric control systems', 'Power and thermal control', 'Communications and computers', 'Operations', 'Expeditions', 'Private flights', 'Fleet operations', 'Currently docked/berthed', 'Scheduled missions', 'Docking', 'Generating IBAN check digits', 'Modulo operation on IBAN', 'Example', 'Adoption', 'EEA and territories', 'Single Euro Payments Area', 'Non-EEA', 'IBAN formats by country', 'Criticism', 'See also', 'Japan', 'India', 'Africa', 'Australia', 'South Australia and Victoria', 'Western Australia', 'Australian Capital Territory', 'New South Wales', 'Northern Territory', 'North America', 'Mass media', 'Radio', 'Radio broadcast stations', 'Radio receiver adoption and usage', 'Television', 'Television broadcast stations', 'Cable television', 'Satellite television', 'Television set adoption and usage', 'Internet service providers (ISPs)', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['Life', 'Works', 'See also', 'References', 'Citation', 'Sources', 'Further reading', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'References', 'Legacy', 'Publications', 'See also', 'References'], ['Names and types', 'History', 'Construction']]



['Wikipedia: Dolly Parton', 'Wikipedia: Deimos', 'Wikipedia: Eiffel Tower', 'Wikipedia: Politics of Equatorial Guinea', 'Wikipedia: Executive Order 9066', 'Wikipedia: Edda', 'Wikipedia: Reizei', 'Wikipedia: Fugazi (disambiguation)', 'Wikipedia: Federico Fellini', 'Wikipedia: Economy of Ghana', 'Wikipedia: Glorious Revolution', 'Wikipedia: Haiti', 'Wikipedia: History of Algeria', 'Wikipedia: Heather Fargo', 'Wikipedia: Geography of Iraq', 'Wikipedia: Infinitive', 'Wikipedia: Transport in Jersey', 'Wikipedia: Dan Quayle', 'Wikipedia: Jean-Jacques Ampère', 'Wikipedia: Jihad']
[['Early life and career', 'Music career', '1967–1975: Country music success', '1976–1986: Pop transition', '1987–2005: Country and bluegrass period', 'See also', 'Other types', 'See also', 'Notes', 'References'], ['Political conditions', 'Executive branch', 'Legislative branch', 'Biography', 'Early life and education', 'Later years and honours', 'Scientific research', 'Gold foil experiment', 'Legacy', 'Nuclear physics', "Items named in honour of Rutherford's life and work", 'Publications', 'Songs', 'Television', 'Other uses', 'See also', 'Lists of ethnic groups', 'See also', 'Notes', 'References', 'Early life', 'Telegraphy', 'Baudot system', 'First use', 'Later career', 'Final years', 'Mimault patent suit', 'Honors', 'Era of Ayub Khan', 'Six Points', 'Final years', 'Role of the Pakistani military', 'Geography', 'Administrative geography', 'Economy', 'Economic discrimination and disparity', 'Demographics and culture', 'Ethnic and linguistic discrimination', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Career', 'André Bazin', 'Cahiers du Cinema', 'Short films', 'The 400 Blows', 'Shoot the Piano Player', 'Jules and Jim and The Soft Skin', 'Fahrenheit 451', 'Thrillers and Stolen Kisses', 'Doinel marries Christine', 'Other places', 'Novena of grace', 'Legacy', 'Namesake', 'In art', 'Music', 'Missionary', 'Role in the Goa Inquisition', 'See also', 'Footnotes', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Early life and education', 'Rimini (1920–1938)', 'Rome (1939)', 'Career and later life', 'Early screenplays (1940–1943)', 'Neorealist apprenticeship (1944–1949)', 'Economic history', 'Taxation', 'Manufacturing', 'Telecommunications', 'Federal Republic of Germany', 'German Democratic Republic', "Decision for GDR's unity with the Federal Republic", 'Attempt to change the date of national holiday', 'Celebrations', 'Zipfelbund: compass communities', 'See also', 'References'], ['Background', 'Context: England, Scotland, and Ireland', 'The political background in England', 'Timeline of events: 1686 to 1688', 'Location', 'History', 'Early history', 'Modern history', 'Cultural importance', 'Symbol for peace', 'Market day', 'Sports', 'Main sights', 'Twin towns – sister cities', 'Grothendieck pretopologies', 'Sites and sheaves', 'Examples of sites', 'The discrete and indiscrete topologies', 'The canonical topology', 'Small site associated to a topological space', 'Big site associated to a topological space', 'The big and small sites of a manifold', 'Topologies on the category of schemes', 'Continuous and cocontinuous functors', '1970s and 1980s', '1990s', '2000s', '2010s', 'Fictional character biography', 'Powers and abilities', 'Heralds', 'Other versions', 'The Adventures of the X-Men', 'Amalgam Comics', 'Further reading'], ['Etymology', 'Early work', 'Fairy Tales', 'Travelogues', 'Personal life', 'Kierkegaard', 'Meetings with Dickens', 'Love life', 'Death', 'Legacy and cultural influence', 'Archives, collections and museums', 'Months', 'Justification for leap months', 'Characteristics of leap months', 'Years', 'Anno Mundi', 'New year', 'Leap years', 'Rosh Hashanah postponement rules', 'Deficient, regular, and complete years', 'Four gates', 'In the Western world', 'In the Arab and Muslim world', 'In Lebanon', 'Scholarly views', 'Views of foreign legislators', 'See also', 'Notes', 'Citations', 'Sources', 'Further reading', 'Prehistory', 'Carthage', 'Roman empire', 'Middle Ages', 'Berber dynasties', 'Criticism', 'Gallery', 'See also', 'Notes', 'References'], ['References', 'Further reading', 'Historiography'], ['Bibliography', 'Non-SF works', 'Fiction', 'Non-fiction', 'Science fiction', 'The Culture novels', 'Other novels', 'Short fiction collections', 'Introductions', 'References', 'Launch and docking windows', 'Mission control centres', 'Repairs', 'Life aboard', 'Crew activities', 'Food and personal hygiene', 'Crew health and safety', 'Overall', 'Radiation', 'Stress', 'Notes', 'References'], ['Inuit', 'Canada', 'Native Americans', 'Mexico', 'South America', 'Brazil', 'Peru, Paraguay and Bolivia', 'Modern times', 'Benin', 'North Korea', 'Postal services', 'Postal operator', 'Regulation', 'See also', 'References'], ['Early life, education and career', 'U.S. Senate', 'Vice Presidency (1989–1993)', '1988 vice presidential campaign', 'Tenure', 'Murphy Brown', 'Notes', 'References'], [], ['Origins', 'Quranic use and Arabic forms', 'Early life', 'Relationship with his father', 'Career', 'Music career', 'Film', 'Photography', 'Books', 'Philanthropy', 'Koto today', 'Recordings', 'See also', 'Notes', 'References', 'Further reading'], []]



['Wikipedia: Diprotodon', 'Wikipedia: EastEnders', 'Wikipedia: Ichijō', 'Wikipedia: Fair use', 'Wikipedia: Fabio Taglioni', 'Wikipedia: Fleetwood Mac', 'Wikipedia: Telecommunications in Ghana', 'Wikipedia: Great Lakes Colleges Association', 'Wikipedia: Gary', 'Wikipedia: Ghost in the Shell', 'Wikipedia: Game Boy Color', 'Wikipedia: Hamlet', 'Wikipedia: Hani Hanjour', 'Wikipedia: History of Zimbabwe', 'Wikipedia: Henotheism', 'Wikipedia: Isotropy', 'Wikipedia: Irish', 'Wikipedia: Immaculate Conception', 'Wikipedia: John Belushi']
[['References', 'Bibliography', 'Further reading'], ['Geography', 'Islands', 'History', 'Prohibition', 'Submerged objects', 'Pollution and conservation efforts', 'Economy', 'Bridges and crossings', 'See also', 'Restaurants', 'Replicas', 'Communications', 'FM radio', 'Digital television', 'Illumination copyright', 'Taller structures', 'Lattice towers taller than the Eiffel Tower', 'Structures in France taller than the Eiffel Tower', 'See also', 'Infrastructure', 'Energy developments', 'Animal husbandry', 'Fishing', 'Forestry', 'Data', 'See also', 'References'], ['Probability and the Born rule', 'Frequentism', 'Decision theory', 'Symmetries and invariance', 'The preferred basis problem', 'Reception', 'Polls', 'Debate whether the other worlds are real', 'Speculative implications', 'Quantum suicide thought experiment', 'Berlin', 'The Scream', 'Frieze of Life—A Poem about Life, Love and Death', 'Paris, Berlin and Kristiania', 'Breakdown and recovery', 'Later years', 'Legacy', 'University Aula', 'Major works', 'Selected works', 'JPL ephemeris time argument Teph', 'Use in official almanacs and ephemerides', 'Redefinition of the second', 'Notes and references', 'Bibliography', 'Technology', 'Transmission techniques', 'EDGE modulation and coding scheme (MCS)', 'Evolved EDGE', 'Reduced Latency', 'Downlink Dual Carrier', 'Higher Modulation Schemes', 'Networks', 'See also', 'Reception', 'On Human Nature, 1978', 'The Ants, 1990', 'Consilience, 1998', 'Spiritual and political beliefs', 'Scientific humanism', 'God and religion', 'Ecology', 'Awards and honors', 'Main works', 'Japanese surname', 'Fictional characters', 'Places', 'History', 'U.S. fair use factors', '1. Purpose and character of the use', '2. Nature of the copyrighted work', '3. Amount and substantiality', 'Estimating dates', 'Stratigraphy', 'Limitations', 'Sites', 'Lagerstätten', 'Stromatolites', 'Types', 'Index', 'Trace', 'Transitional', 'United States', 'Senate', 'House of Representatives', 'See also', 'In nature', 'Vs. bioluminescence and biophosphorescence', 'Fluorescence', 'New form of biofluorescence', 'Bioluminescence', 'Phosphorescence', 'Mechanisms', 'Epidermal chromatophores', 'Phylogenetics', 'Evolutionary origins', 'References'], ['History', 'Radio and television', 'Freedom of the press', 'Telephones', 'Internet', 'Internet censorship and surveillance', 'Policy', 'Energy and nuclear power', 'Environment and climate policy', 'Transport', 'Welfare, health, family and education', 'Women and LGBT rights', 'Electorate', 'See also', 'References', 'Further reading', 'Legacy', 'Notes', 'References', 'Sources', 'Further reading'], ['Places', 'Ships', 'People and fictional characters', 'Other uses', 'See also', 'Manufacturing', 'See also', 'Overview', 'History', 'Hardware', 'Technical specifications', 'Color palettes', 'Geology', 'Environment', 'Wildlife', 'Flora', 'Fauna', 'Government and politics', 'Administrative divisions', 'Foreign relations', 'Military', 'Law enforcement and crime', 'See also', 'References', 'Bibliography'], ['Worked example', 'Rectifying the Hebrew calendar', 'Conversion between Jewish and civil calendars', 'See also', 'References', 'Bibliography'], ['Date converters', 'Early life and education', 'Career', 'Early 1990s', 'Pre-Colonial era (1000–1887)', 'Colonial era (1888–1980)', 'Independence and the 1980s', '1990s', 'The economy during the 1980s and 1990s', 'Definition and terminology', 'Zoroastrianism', 'Hinduism', 'Hellenistic religion', 'Background', 'Population', 'Vital statistics', 'UN estimatesWorld Population Prospects: The 2010 Revision', 'Fertility ages average in 1997–2006', 'Life expectancy at birth', 'Structure of the population===', 'Mathematics', 'Physics', 'Materials science', 'Microfabrication', 'Antenna (radio)', 'Research', 'Live viewing', 'Multimedia', 'Doctrine', 'History', 'Anna, mother of Mary', 'Original sin', 'Medieval formulation', 'Ineffabilis Deus', 'State Legislation', 'Federal Legislation', 'Prevention', 'Sex education and birth control', 'Psychiatric intervention', 'Safe surrender', 'Employment', 'In animals', 'See also', 'References', 'Geography', 'Climate', 'History', 'Early history', 'National Wildlife Refuge since 1926', 'Military control 1934–2004', 'Sand Island seaplane base', 'Airfield', 'Conquest of Gaul', 'Civil war', 'Dictatorship and assassination', 'Dictatorship', 'Political reforms', 'Assassination', 'Aftermath of the assassination', 'Deification', 'Personal life', 'Health and physical appearance', 'Biography', 'Career', 'The "Andrássy Note"', 'Later life', 'Family', 'See also', 'Notes', 'References'], ['Other spiritual, social, economic struggles', 'Warfare (Jihad bil Saif)', 'Debate', 'Views of other groups', 'Ahmadiyya', 'Quranist', 'Bahá’í', 'See also', 'References', 'Notes', 'Early life', 'Career', 'The Second City and National Lampoon', 'Acronym', 'Kludge vs kluge', 'Industries', 'Aerospace engineering', 'Computer science', 'Evolutionary neuroscience', 'Other uses', 'See also', 'References'], []]



['Wikipedia: Dsungaripterus', 'Wikipedia: Ethical egoism', 'Wikipedia: Telecommunications in Equatorial Guinea', 'Wikipedia: E-commerce', 'Wikipedia: Eth', 'Wikipedia: Edwin Howard Armstrong', 'Wikipedia: Sanjō', 'Wikipedia: Fourth-generation programming language', 'Wikipedia: Transport in Ghana', 'Wikipedia: Gheorghe Zamfir', 'Wikipedia: Goidelic languages', 'Wikipedia: Gary, Indiana', 'Wikipedia: The Holocaust Industry', 'Wikipedia: Hedwig of Silesia', 'Wikipedia: International Mathematical Union', 'Wikipedia: Cosmicomics', 'Wikipedia: Internet protocol suite', 'Wikipedia: Joseph Weizenbaum', 'Wikipedia: Jacobin (politics)', 'Wikipedia: King Crimson']
[['Discovery', 'Taxonomy', 'Description', 'Paleobiology', 'Extinction', 'Climate change', 'Human hunting', 'Human land management', 'See also', 'References'], ['Description', 'References', 'Notes', 'Bibliography'], ['Radio and television', 'Telephones', 'Internet', 'Internet censorship and surveillance', 'Absurdly improbable timelines', 'See also', 'Notes', 'References', 'Further reading'], ['Nudes', 'Self-portraits', 'Landscapes', 'Photographs', 'See also', 'Notes', 'References', 'Further reading'], ['History', 'Conception and preparations for broadcast', 'Initial character creation and casting', 'Final preparations', '1980s broadcast history', 'Changes in the 1990s', '2000s', '2010s', 'References'], ['Computer input', 'Edited works', 'In popular culture', 'References'], ['People', 'Fictional characters', 'Places', 'See also', "4. Effect upon work's value", 'Additional factors', 'U.S. fair use procedure and practice', 'Fair use in particular areas', 'Computer code', 'Documentary films', 'File sharing', 'Internet publication', 'Professional communities', 'Music sampling', 'Microfossils', 'Resin', 'Derived, or reworked', 'Wood', 'Subfossil', 'Chemical fossils', 'Astrobiology', 'Pseudofossils', 'History of the study of fossils', 'Ancient civilizations', 'Notes'], ['Adaptive functions', 'Aquatic', 'Photic zone', 'Fish', 'Coral', 'Cephalopods', 'Jellyfish', 'Mantis shrimp', 'Aphotic zone', 'Siphonophores', '1967–1970: Formation and early years', '1970–1974: Transitional era', "1974: Name dispute and 'fake Fleetwood Mac'", '1974: Return of the authentic Fleetwood Mac', '1975–1987: Addition of Buckingham and Nicks, and mainstream success', '1987–1995: Departure of Buckingham and Nicks', '1995–1997: Re-formation', "1997–2007: Reunion and Christine McVie's departure", '2008–2013: Unleashed tour and Extended Play', '2014–present: Return of McVie and departure of Buckingham', 'See also', 'Further reading', 'References'], [], ['Career', 'Soundtracks'], ['History', 'Founding and early years', 'Post-World War II', 'Title', 'Setting', 'Media', 'Literature', 'Original manga', 'Films', 'Animated films', 'Live-action film', 'Television', 'Stand Alone Complex TV series, film and ONA', 'Color palettes used for Game Boy games', 'Partial list of games with special palettes', 'Hi-Color Mode', 'Cartridges', 'Model colors', 'Games', 'Launch games', 'Sales', 'See also', 'Notes', 'Haitian penitentiary system', 'Economy', 'Foreign aid', 'Trade', 'Energy', 'Personal income', 'Real estate', 'Agriculture', 'Currency', 'Tourism', 'Characters', 'Plot', 'Act I', 'Act II', 'Act III', 'Act IV', 'Act V', 'Sources', 'Date', 'Finkelstein on the book', 'Chapters', 'Reviews and critiques', "Finkelstein's response to critics", 'Other topics', '1996', 'Late 1990s', '2000', '2001', 'September 11 attacks', 'Family denial', 'See also', 'Notes', 'References'], ['1999 to 2000', '2002', '2003–2005', '2006 to 2007', 'Deterioration of the educational system', '2008', '2008 elections', 'Marange diamond fields massacre', '2009 to present', '2009–2017', 'Canaanite religion and early Judaism', 'The Church of Jesus Christ of Latter-day Saints', 'See also', 'References'], ['Ethnic and religious groups', 'Languages', 'Religions', 'Demographic statistics', 'Age structure', 'Ethnic groups', 'Median age', 'Population growth rate', 'Crude birth rate', 'Crude death rate', 'Biology', 'Computer science', 'Other sciences', 'See also', 'References', 'Places', 'Other uses', 'See also', 'Feast and patronages', 'Prayers and hymns', 'Artistic representation', 'Other churches', 'Eastern Orthodoxy', 'Old Catholics', 'Protestantism', 'Lutheranism', 'Anglican Communion', 'Islam'], ['History', 'Early research', 'World War II 1941–1945', 'Coast Guard mission 1957–1992', 'National nuclear weapon test site 1958–1963', 'Successes', 'Failures', 'Anti-satellite mission 1962–1975', 'Baker–Nunn satellite tracking camera station', 'Johnston Island Recovery Operations Center', 'Biological warfare test site 1965', 'Chemical weapon storage 1971–2001', 'Name and family', 'The name Gaius Julius Caesar', 'Family', 'Rumors of passive homosexuality', 'Literary works', 'Memoirs', 'Legacy', 'Historiography', 'Politics', 'Depictions', 'Life and career', 'Psychology simulation at MIT', 'Apprehensions about Artificial Intelligence', 'General works', 'Further reading'], ['Saturday Night Live', 'Expansion into films', 'Death', 'Tributes, legacy, and popular culture', 'Filmography', 'Film', 'Television', 'Others', 'Discography', 'Comedy albums', 'History', 'Formation', '1968–1969: In the Court of the Crimson King']]



['Wikipedia: Dirk Benedict', 'Wikipedia: David Huffman', 'Wikipedia: Transport in Equatorial Guinea', 'Wikipedia: Extended Industry Standard Architecture', 'Wikipedia: Eth, Nord', 'Wikipedia: Elvis Costello', 'Wikipedia: Georg Henrik von Wright', 'Wikipedia: Genosha', 'Wikipedia: Hyena', 'Wikipedia: History of Russia', 'Wikipedia: IA-32', 'Wikipedia: Islands of the North Atlantic', 'Wikipedia: Jerome', 'Wikipedia: Johann Philipp Abelin']
[['Notes'], ['Further reading', 'History of discovery', 'Classification', 'See also', 'References', 'Forms', 'History', 'Justifications', 'Criticism', 'Notable proponents', 'See also', 'Footnotes', 'References'], ['See also', 'References'], ['Timeline', 'Business application', 'Governmental regulation', 'Forms', 'Global trends', 'Logistics', 'Impact on markets and retailers', 'History', 'The "Gang of Nine"', 'Technical data', 'Industry acceptance', '2020s', 'Setting', 'Characters', 'Storylines', 'Production', 'Set', 'Filming', 'Post-production', 'Budgets and costs', 'Sustainability', 'Other', 'Modern uses', 'See also', 'References', 'Further reading'], ['Early life', 'Early work', 'Regenerative circuit', 'Superheterodyne circuit', 'Super-regeneration circuit', 'Wide-band FM radio', 'FM Doppler radar', 'Death', 'Legacy', 'Early life', 'Career', '1970s', '1980s', '1990s', 'Parody', 'Text and data mining', 'Reverse engineering', 'Social media', 'Influence internationally', 'Israel', 'Malaysia', 'Poland', 'Singapore', 'South Korea', 'Early modern explanations', 'Linnaeus and Darwin', 'After Darwin', 'Modern era', 'Trading and collecting', 'Fossils as medicine', 'Gallery', 'See also', 'References', 'Further reading', 'History', 'Types', 'Low code environments', 'Examples', 'General use / versatile', 'Database query languages', 'Report generators', 'Data manipulation, analysis, and reporting languages', 'software creators', 'Mathematical optimization', 'Dragonfish', 'Terrestrial', 'Amphibians', 'Butterflies', 'Parrots', 'Arachnids', 'Plants', 'Abiotic', 'Gemology, mineralogy and geology', 'Organic liquids', 'Tours', 'Band members', 'Timeline', 'Discography', 'Studio albums', 'Awards and nominations', 'See also', 'Citations', 'General sources', 'Further reading', 'Railways', 'Rail Expansion', 'Rail transport', 'Service pending', 'Gauge conversion', 'Highways', 'International highways', 'Ferries and Waterways', 'Marine transport', 'Personal life', 'Bibliography', 'References'], ['Nomenclature', 'Classification', 'History and range', 'Irish', 'Scottish Gaelic', 'Manx', 'Comparison', 'Numbers', 'Common phrases', 'Recent history', 'National Register of Historic Places', 'Neighborhoods', 'Downtown Gary', 'West', 'South', 'North and East', 'Geography', 'Climate', 'Demographics', 'Arise OVA, TV series and film', 'Video games', 'Legacy', 'See also', 'Notes', 'References'], ['References'], ['Publication history', 'Caracol Industrial Park', 'Infrastructure', 'Transportation', 'Airports', 'Bus service', 'Communications', 'Water supply and sanitation', 'Demographics', 'Population genetics', 'Autosomal DNA', 'Texts', 'Analysis and criticism', 'Critical history', 'Dramatic structure', 'Length', 'Language', 'Context and interpretation', 'Religious', 'Philosophical', 'Psychoanalytic', 'Fraudulent writings on the Holocaust', 'Other genocides', 'Forms of Holocaust denial', 'Holocaust deniers in real life', 'Publishing history', 'See also', 'References'], ['Evolution', 'Origins', 'Rise and fall of the dog-like hyenas', '2018–2019', 'See also', 'References', 'Further reading'], ['Life', 'Duchess consort', 'Widow', 'Veneration', 'Children', 'See also', 'References'], ['Total fertility rate', 'Net migration rate', 'Urbanization', 'Sex ratio', 'Maternal mortality rate', 'Infant mortality rate', 'Contraceptive prevalence rate', 'Health expenditures', 'Physicians density', 'Hospital bed density', 'Commissions and committees', 'Prizes', 'Membership and General Assembly', 'Organization and Executive Committee', 'Publications', 'IMU’s Involvement in Developing Countries', 'MENAO Symposium at the ICM', 'Members', 'Contents', 'Notes', 'References'], ['See also', 'Notes', 'References', 'Citations', 'Bibliography'], ['Early implementation', 'Adoption', 'Formal specification and standards', 'Key architectural principles', 'Link layer', 'Internet layer', 'Transport layer', 'Application layer', 'Layer names and number of layers in the literature', 'Comparison of TCP/IP and OSI layering', 'Agent Orange storage 1972–1977', 'Chemical weapon demilitarization mission 1990–2000', 'Closure and remaining structures', 'Contamination and cleanup', 'After closing', 'Demographics', 'Wildlife', 'Areas', 'Launch facilities', 'See also', 'Battle record', 'Chronology', 'See also', 'Notes', 'References', 'Sources', 'Primary sources', 'Own writings', "Ancient historians' writings", 'Secondary sources', 'Difference between Deciding and Choosing', 'Returning to roots', 'Works', 'See also', 'References'], ['In the French Revolution', 'Jacobin ideology', 'United Kingdom', 'Austria', 'United States', 'Tea Party', 'See also', 'References', 'See also', 'References'], ['1970–1971: the "interregnum" – In the Wake of Poseidon and Lizard', '1971–1972: the Islands band', '1972–1975: the "European improvisers" – Larks\' Tongues in Aspic, Starless and Bible Black, Red, and hiatus', '1981–1984: the "rock gamelan" – Discipline, Beat, Three of a Perfect Pair, and second hiatus', '1994–1999: the Double Trio – Vroooom, THRAK, and the ProjeKcts', '2000–2010: the Double Duo and the second quintet – The Construkction of Light, The Power to Believe, 40th Anniversary tour, third hiatus', '2011–present: the "Seven-Headed Beast" and "Three Over Five" lineups', "King Crimson members' bands devoted to playing King Crimson's music", 'Musical style', 'Compositional approaches']]



['Wikipedia: Evolution', 'Wikipedia: Earthdawn', 'Wikipedia: Family Educational Rights and Privacy Act', 'Wikipedia: Frederick I, Margrave of Brandenburg-Ansbach', 'Wikipedia: Gnosticism', 'Wikipedia: Gauss–Legendre algorithm', 'Wikipedia: Hermetic Order of the Golden Dawn', 'Wikipedia: Hasidic Judaism', 'Wikipedia: International Council for Science', 'Wikipedia: Internalism and externalism', 'Wikipedia: Intel DX4', 'Wikipedia: Ibn al-Shaykh al-Libi', 'Wikipedia: Geography of Jordan', 'Wikipedia: Jacobitism', 'Wikipedia: Johann Tobias Krebs', 'Wikipedia: Jacob Abendana']
[['Early life', 'Career', '1980s and 1990s', '2000s and 2010s', 'Personal life', 'Filmography', 'References'], ['Personal life', 'Murder', 'Broadway stage credits', 'Filmography', 'References'], ['History of evolutionary thought', 'Classical times', 'Medieval', 'Railways', 'Maps', 'Highways', 'Ports and harbors', 'Merchant marine', 'Airports', 'See also', 'References', 'Impact on supply chain management', 'Impact on employment', 'Impact on customers', 'Impact on the environment', 'Impact on traditional retail', 'Distribution channels', 'Types of digital channels', 'Recommendation', 'E-commerce during COVID-19', 'See also', 'See also', 'References'], ['Scheduling', 'Broadcast', 'Repeats', 'International', 'International versions', 'Spin-offs and merchandise', 'Popularity and viewership', 'Ratings', 'Criticism', 'Morality and violence', 'Heraldry', 'See also', 'References', 'More information about Eth', 'Personal life', 'Honors', 'Patents', 'See also', 'Notes', 'References', 'Further reading'], ['2000s', '2010s', 'Personal life', 'Relationships', 'Vegetarianism', 'Football', 'Health', 'Humanitarian causes', 'Collaborations', 'Legacy', 'Fair dealing', 'Australia', 'Canada', 'United Kingdom', 'Policy arguments about fair use', 'Fair Use Week', 'See also', 'References', 'Further reading'], [], ['Overview', 'Access to public records', 'Database-driven GUI application development', 'Low code / No code development platforms===', 'Screen painters and generators', 'Web development languages', "What's previous", "What's next", 'See also', 'References', 'Atmosphere', 'Common materials that fluoresce', 'Applications', 'Lighting', 'Analytical chemistry', 'Spectroscopy', 'Biochemistry and medicine', 'Microscopy', 'Other techniques', 'Forensics'], ['Family and children', 'Ancestry', 'Seaports and harbours', 'Merchant marine', 'Aviation', 'Airports - with paved runways', 'Airports - with unpaved runways', 'See also', 'References'], ['Biography', 'Work', 'Awards', 'Bibliography', 'Notes', 'References', 'Further reading'], ['Influence on other languages', 'See also', 'References'], ['2010 census', '2000 census', 'Arts and culture', 'Arts and film', 'Historic places on the National Register', 'Public libraries', 'Sports', 'Education', 'Public schools', 'Charter schools', 'Algorithm', 'Mathematical background', 'Limits of the arithmetic–geometric mean', 'Legendre’s identity', 'Elementary proof with integral calculus', 'See also', 'Fictional country history', 'Mutant apartheid', "Conflict and Magneto's reign", "Xavier's leadership", 'House of M', 'Son of M and the Collective Incident', 'Silent War', 'Necrosha and beyond', 'All-New, All-Different Marvel', 'Empyre', 'Y-chromosome and mitochondrial DNA', 'Duffy antigens', 'Racial discrimination', 'Religion', 'Languages', 'Emigration', 'Largest cities', 'Culture', 'Art', 'Music and dance', 'Sigmund Freud', 'Jacques Lacan', 'Feminist', 'Influence', 'Performance history', "Shakespeare's day to the Interregnum", 'Restoration and 18th century', '19th century', '20th century', '21st century', 'History', 'Cipher Manuscripts', 'Founding of first temple', 'Secret Chiefs', 'Golden Age', 'Bone-crushing hyenas', 'Rise of modern hyenas', 'Genera of the Hyaenidae (extinct and recent)', 'Phylogeny', 'Characteristics', 'Build', 'Behavior', 'Relationships with humans', 'Folklore, mythology and literature', 'Attacks on humans', 'Prehistory', 'Antiquity', 'Early history', 'Early East Slavs', "Kievan Rus' (882–1283)", 'Mongol invasion and vassalage (1223–1480)', 'Grand Duchy of Moscow (1283–1547)', 'Rise of Moscow', 'Etymology', 'Hasidic philosophy', 'Distinctions', 'Obesity – adult prevalence rate', 'Children under the age of 5 years underweight', 'Nationality', 'Literacy', 'See also', 'References'], ['Presidents', 'References', 'Further reading'], ['Architectural features', 'Operating modes', 'See also', 'References', 'See also', 'References', 'Further reading', 'Implementations', 'See also', 'Bibliography', 'References'], ['References'], ['Boundaries'], ['Political background', 'Jacobite supporters in the three kingdoms', 'Life', 'Conversion to Christianity', 'After Rome', 'Death', 'Translation of the Bible (382–405)', 'Commentaries (405–420)', 'Historical and hagiographic writings', 'References'], ['Publications', 'Own works', 'Derivative works', 'Notes', 'Sources'], ['Improvisation', 'Influence', 'Members', 'Discography', 'Notes', 'References'], []]



['Wikipedia: Doppler effect', 'Wikipedia: Dagome iudex', 'Wikipedia: Armed Forces of Equatorial Guinea', "Wikipedia: Euler's formula", 'Wikipedia: Euphrates', 'Wikipedia: EverQuest', 'Wikipedia: Flying car', 'Wikipedia: Forgetting', 'Wikipedia: Frank Capra', 'Wikipedia: F-Zero: Maximum Velocity', 'Wikipedia: Ghana Armed Forces', 'Wikipedia: Gaudy Night', 'Wikipedia: Great Internet Mersenne Prime Search', 'Wikipedia: Hyaena', 'Wikipedia: Politics of Iraq', 'Wikipedia: Iapetus (disambiguation)', 'Wikipedia: Joseph Gurney Cannon', 'Wikipedia: James Hamilton, 1st Earl of Abercorn', 'Wikipedia: Kishka']
[['History', 'General', 'Consequences', 'Applications', 'Acoustic Doppler current profiler', 'History', 'Text of the Dagome iudex'], ['Notes', 'References', 'Pre-Darwinian', 'Darwinian revolution', 'Pangenesis and heredity', "The 'modern synthesis'", 'Further syntheses', 'Heredity', 'Variation', 'Mutation', 'Sex and recombination', 'Gene flow', 'History', 'Equipment', 'Armour', 'Small arms', 'Aircraft', 'References', 'Further reading'], ['History', 'Setting', 'Races', 'Political entities', 'Provinces of the Theran Empire', 'Other Lands', 'Magic in Earthdawn', 'Game mechanics', 'Reception', 'Reviews', 'Allegations of national and racial stereotypes', 'Controversial storylines', 'Portrayal of certain professions', 'Awards and nominations', 'In popular culture', 'Further reading', 'See also', 'Footnotes', 'References', 'Bibliography', 'Etymology', 'Course', 'Discharge', 'Tributaries', 'Drainage basin', 'Natural history', 'Gameplay', 'Classes', 'Deities', 'Zones', 'History', 'Studio albums (including those with the Attractions and the Imposters)', 'Collaborative albums', 'Filmography', 'As actor', 'As part of soundtracks', 'Bibliography', 'References', 'Further reading'], ['History', 'Early developments', 'Modern developments', 'Student medical records', 'See also', 'References'], ['Early life', 'World War I and later', 'Early career', 'Silent film comedies', 'Columbia Pictures', 'Non-destructive testing', 'Signage', 'Optical brighteners', 'See also', 'References', 'Bibliography', 'Further reading'], ['References', 'Sources'], ['History', 'Internal operations', 'External operations', 'Ghana Army', 'Peacekeeping Operations', 'Plot', 'Principal characters', 'Title', 'Literary significance and criticism', 'Etymology', 'Origins', 'Jewish Christian origins', 'Neoplatonic influences', 'Persian origins or influences', 'Buddhist parallels', 'Characteristics', 'Cosmology', 'Dualism and monism', 'Higher education', 'Media', 'Newspapers', 'Television and radio', 'Infrastructure', 'Medical facilities', 'Police', 'Fire department', 'Transportation', 'Notable people', 'References', 'History', 'Status', 'Points of interest', 'Other versions', 'Marvel Noir', 'Ultimate Marvel', 'In other media', 'Television', 'Film', 'Video games', 'Music', 'Print', 'Literature', 'Cinema', 'Cuisine', 'Architecture', 'Museums', 'Folklore and mythology', 'National holidays and festivals', 'Sports', 'Notable natives and residents', 'Education', 'Film and TV performances', 'Stage pastiches', 'Notes and references', 'Notes', 'References', 'Editions of Hamlet', 'Secondary sources'], ['Analysis', 'Related works', 'Revolt', 'Splinters', 'Reconstruction', 'Structure and grades', 'Known or alleged members', 'Contemporary Golden Dawn orders', 'In popular culture', 'See also', 'References', 'Bibliography', 'Hyenas as food and medicine', 'References', 'Notes', 'Bibliography', 'Further reading'], ['Ivan III, the Great', 'Tsardom of Russia (1547–1721)', 'Ivan IV, the Terrible', 'Time of Troubles', 'Accession of the Romanovs and early rule', 'Russian Empire (1721–1917)', 'Population', 'Peter the Great', 'Catherine the Great', 'Ruling the Empire (1725–1825)', 'Immanence', 'Righteous One', 'Schools of thought', 'Practice and culture', 'Rebbe and "court"', 'Liturgy', 'Melody', 'Appearance', 'Families', 'Languages', 'Government', 'Federal government', 'Local government', 'Regions', 'Provinces', 'Political parties', 'Mission and principles', 'History', 'Universality of science', 'Structure', 'Finances', 'Member Scientific Unions', 'Member Scientific Associates', 'See also', 'References', 'Moral philosophy', 'Motivation', 'Reasons', 'Epistemology', 'Justification', 'Internalism', 'Externalism', 'As a response to skepticism', 'S-specs', 'References', 'Training camp director', 'Cooperation with the FBI', 'In CIA custody', 'Information provided', 'Senate Reports on Pre-war Intelligence on Iraq', 'Book: Inside the Jihad', 'Book: At the Center of the Storm', 'Repatriation to Libya and death', 'Topography', 'Climate', 'Area and boundaries', 'Resources and land use', 'Environmental concerns', 'See also', 'References', 'Ireland', 'England and Wales', 'Scotland', 'Ideology', 'Community', 'Decline', 'Elibank plot', 'Loss of French support', 'Henry IX', 'Analysis', 'Description of vitamin A deficiency', 'Letters', 'Theological writings', 'Eschatology', 'Reception by later Christianity', 'In art', 'See also', 'References', 'Bibliography', 'Further reading', 'Early life', 'Political career', 'Speaker of the House', 'Revolt', 'Post-Speaker', 'Personal life', 'Biography', 'Notes', 'Sources', 'Food', 'People', 'Other uses']]



['Wikipedia: DA', 'Wikipedia: Foreign relations of Equatorial Guinea', 'Wikipedia: Electronic data interchange', 'Wikipedia: Embroidery', 'Wikipedia: Epilepsy', 'Wikipedia: Fundamental theorem of arithmetic', 'Wikipedia: G', 'Wikipedia: Game.com', 'Wikipedia: Grinnell College', 'Wikipedia: History of Haiti', 'Wikipedia: High German languages', 'Wikipedia: Hash function', 'Wikipedia: Hershey–Chase experiment', 'Wikipedia: International Union of Pure and Applied Chemistry', 'Wikipedia: IDF', 'Wikipedia: Demographics of Jordan', 'Wikipedia: JPEG', 'Wikipedia: James G. Blaine', 'Wikipedia: Kilogram']
[['Robotics', 'Sirens', 'Astronomy', 'Radar', 'Medical', 'Flow measurement', 'Velocity profile measurement', 'Satellites', 'Audio', 'Vibration measurement', 'Arts, entertainment, and media', 'Degrees and licenses', 'Organizations', 'Politics, judiciary', 'Mechanisms', 'Natural selection', 'Genetic hitchhiking', 'Genetic drift', 'Mutation bias', 'Outcomes', 'Adaptation', 'Coevolution', 'Cooperation', 'Speciation', 'Current inventory', 'Navy', 'Higher education and training', 'Notes', 'References', 'Further reading', 'History', 'Applications in complex number theory', 'Interpretation of the formula', 'Use of the formula to define the logarithm of complex numbers', 'Relationship to trigonometry', 'Topological interpretation', 'Other applications', 'Definitions of complex exponentiation', 'Differential equation definition', 'Power series definition', 'Publications', 'References'], [], ['History', 'Origins', 'River', 'Environmental and social effects', 'History', 'Palaeolithic to Chalcolithic periods', 'Ancient history', 'Modern era', 'Economy', 'Notes', 'References'], ['Development', 'Release', 'Growth and sequels', 'Decline', 'Expansions', 'Servers', 'OS X', 'European', 'Non-EverQuest servers', 'Reception', 'Signs and symptoms', 'Seizures', 'Post-ictal', 'Psychosocial', 'Design', 'Lift', 'Safety', 'Environment', 'Control', 'Cost', 'Popular culture', "Where's my flying car?", 'Fiction', 'Live action films', 'Overview', 'History', 'Measurements', 'Recall', 'Free recall and variants', 'Prompted (cued) recall', 'Relearning method', 'Theories', 'Cue-dependent forgetting', 'Film career (1934–1941)', 'It Happened One Night (1934)', 'Mr. Smith Goes to Washington (1939)', 'Meet John Doe (1941)', 'World War II years (1941–1945)', 'Joining the Army after Pearl Harbor', 'Why We Fight series', 'Post-war career (1946–1961)', "It's a Wonderful Life (1946)", 'Representing U.S. at International Film Festival', "Euclid's original version", 'Applications', 'Canonical representation of a positive integer', 'Arithmetic operations', 'Arithmetic functions', 'Gameplay', 'Multiplayer', 'Development', 'Release', 'Reception', 'Notes', 'References'], ['Ghana Air Force', 'Ghana Navy', 'GAF Business', 'GAF Military private bank', 'Military hospitals', 'Cadets and schools', 'Defence budget', 'Military clothing and prohibition of photography', 'References', 'Further reading', "Women's education", 'Adaptations', 'See also', 'References'], ['Moral and ritual practice', 'Concepts', 'Monad', 'Pleroma', 'Emanation', 'Aeon', 'Sophia', 'Demiurge', 'Archon', 'Other concepts', 'The Jacksons', 'Other notable people', 'Sister cities', 'See also', 'References', 'Further reading'], ['Software license', 'Primes found', 'See also', 'References'], ['References'], ['History', 'Health', 'See also', 'Notes', 'References', 'Further reading'], ['Classification', 'History', 'Family'], ['Overview', 'Hash tables', 'Extant Species', 'Alexander I and victory over Napoleon', 'Nicholas I and the Decembrist Revolt', 'Russian Army', 'Russian society in the first half of 19th century', 'The Crimean War', 'Alexander II and the abolition of serfdom', 'Russian society in the second half of 19th century', 'Autocracy and reaction under Alexander III', 'Nicholas II and new revolutionary movement', 'Revolution of 1905', 'Literature', 'Organization and demographics', 'History', 'Background', 'Israel ben Eliezer', 'Consolidation', 'Routinization', 'Calamity and renaissance', 'Footnotes', 'Further reading', 'Parliamentary alliances and parties', 'Other parties', 'Illegal parties', 'Elections', 'Iraqi parliamentary election, January 2005', 'Iraqi parliamentary election, December 2005', 'Iraqi parliamentary election, 2010', 'Iraqi parliamentary election, 2014', 'Issues', 'Corruption', 'Bibliography'], ['Creation and history', 'Semantics', 'Philosophy of mind', 'Historiography of science', 'See also', 'References', 'Further reading'], ['All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'See also', 'References'], [' and references', 'Definition', 'Ethnic and religious groups', 'Arab', 'Druze', 'Bedouins arabs', 'Armenians', 'Romantic revival', 'Neo-Jacobite revival', 'In literature and popular culture', 'Footnotes', 'References', 'Sources'], [], ['Latin texts', 'Facsimiles', 'English translations', 'Legacy', 'See also', 'References', 'Further reading'], ['Birth and origins', 'Marriage and children', 'Early life', 'Ireland', 'Death and succession', 'Appendices', 'See also', 'Definition', 'Timeline of previous definitions', 'Name and terminology', 'Kilogram becoming a base unit: the role of units for electromagnetism', 'The state of units for electromagnetism at the end of the 19th century', 'The Giorgi proposal']]



['Wikipedia: Derek Walcott', 'Wikipedia: Estonian language', 'Wikipedia: Film editing', 'Wikipedia: Frederick William I of Prussia', 'Wikipedia: Foreign relations of Ghana', 'Wikipedia: Gregory the Illuminator', 'Wikipedia: Hannes Bok', 'Wikipedia: Harmonic series (music)', 'Wikipedia: Economy of Iraq', 'Wikipedia: Isolationism', 'Wikipedia: Interactive Fiction Competition', 'Wikipedia: International Red Cross and Red Crescent Movement', 'Wikipedia: J. G. Ballard', 'Wikipedia: Java virtual machine']
[['Developmental biology', 'Inverse Doppler effect', 'See also', 'Primary sources', 'References', 'Further reading'], ['Places', 'Science and technology', 'Biology and medicine', 'Other uses in science and technology', 'Other uses', 'See also', 'Extinction', 'Evolutionary history of life', 'Origin of life', 'Common descent', 'Evolution of life', 'Applications', 'Social and cultural responses', 'See also', 'References', 'Bibliography', 'Bilateral relations', 'Africa', 'Americas', 'Asia', 'Europe', 'See also', 'References', 'Limit definition', 'Proofs', 'Using power series', 'Using polar coordinates', 'Using differential equations', 'See also', 'References'], ['History', 'Standards', 'Transmission protocols', 'Internet', 'Specifications', 'Transmission: Direct EDI and VANs', 'Direct EDI: peer-to-peer', 'Value-added networks', 'Costs, trade-offs and implementation', 'Interpreting data', 'Historical applications and techniques', 'The Islamic world', 'Automation', 'Classification', 'Materials', 'Machine', 'Resurgence of hand embroidery', 'Qualifications', 'Gallery', 'See also', 'Classification', 'History', 'Estonian literature', 'Accolades', 'Sales and subscriptions', 'Controversies', 'Sale of in-game objects/real world economics', 'Intellectual property and role-playing', 'Mystere incident', 'Addiction', 'Sociological aspects of MMORPGs', 'Organized protests', 'Prohibition in the state of Minas Gerais, Brazil', 'Causes', 'Genetics', 'Acquired', 'Mechanism', 'Epilepsy', 'Diagnosis', 'Definition', 'Classification', 'Syndromes', 'Tests', 'Animation', 'See also', 'Notes', 'References', 'Further reading'], ['Organic causes', 'Interference theories', 'Trace decay theory', 'Impairments and lack of forgetting', 'Social forgetting', 'See also', 'References', 'Sources'], ['Disillusionment period and later years', 'Later films (1950–1961)', 'Directing style', 'Personal life', 'Political views', 'Religious views', 'Death', 'Legacy', 'Honors', 'Academy Awards and nominations', 'Proof', 'Existence', 'Uniqueness', 'Elementary proof of uniqueness', 'Generalizations', 'See also', 'Notes', 'References'], ['Reign', 'Burial and reburials', 'Relationship with Frederick II', 'Marriage and family', 'Ancestry'], ['Guiding principles and objectives', 'Bilateral relations', 'History', 'Typographic variants', 'Pronunciation and use', 'English', 'Other languages', 'Related characters', 'Ancestors, descendants and siblings', 'Ligatures and abbreviations', 'Jesus as Gnostic saviour', 'Development', 'Relation with early Christianity', 'Orthodoxy and heresy', 'Historical Jesus', 'Johannine literature', 'Paul and Gnosticism', 'Major movements', 'Syrian-Egyptian Gnosticism', 'Sethite-Barbeloite', 'Beginnings', 'Declaration of Christianity in Armenia', 'Retirement and death', 'Veneration', 'Gallery', 'See also', 'History', 'Original version', 'Game.com Pocket Pro', 'Internet features', 'Technical specifications', 'Games', 'Reception', 'Legacy', 'Campus', 'Academics', 'Reputation', 'Faculty', 'Academic program', 'Admission', 'Graduation rates', 'Tuition and financial aid', 'Athletics', 'Social activities and organizations', 'Pre-Spanish history', 'Spanish history (1492–1625)', 'French Saint-Domingue (1625–1789)', 'The Pearl of the Antilles (1711–89)', 'Revolutionary period (1789–1804)', "Ogé's revolt (1789–91)", 'The rising of the slaves (1791–93)', 'See also', 'References', 'Further reading', 'Specialized uses', 'Properties', 'Uniformity', 'Testing and measurement', 'Efficiency', 'Universality', 'Applicability', 'Deterministic', 'Defined range', 'Variable range', 'Historical background', 'Methods and results', 'Experiment and conclusions', 'Discussion', 'Confirmation', 'Other experiments', 'Legacy', 'References'], ['World War I', 'Soviet Russia (1917–1922)', 'Russian Revolution', 'Russian Civil War', 'Soviet Union (1922–1991)', 'Creation of the Soviet Union', 'War Communism and the New Economic Policy', 'Changes to Russian society', 'Industrialization and collectivization', 'Stalinist repression'], ['Terminology', 'Partial, harmonic, fundamental, inharmonicity, and overtone', 'See also', 'References', 'Further reading'], ['Committees and governance', 'Nomenclature', 'Organic nomenclature', 'Inorganic nomenclature', 'Amino acid and nucleotide base codes', 'Publications', 'Non-series books', 'Experimental Thermodynamics book series', 'Series of books on analytical and physical chemistry of environmental systems', 'Colored cover book and website series (nomenclature)', 'Introduction', 'Isolationism by country', 'Albania', 'Bhutan', 'China', 'Japan', 'Organization', 'Winners', 'Reception', 'See also', 'References'], ['Defense forces', 'Organizations', 'Places', 'Other uses', 'See also', 'Assyrians', 'Circassians', 'Chechens', 'Refugees', 'Religion', 'Health and Education', 'Statistics', 'Total population', 'Gender ratio', 'Age structure', 'Life', 'Shanghai', 'Britain and Canada', 'Full-time writing career', 'Posthumous publication', 'Archive', 'History', 'Background', 'JPEG standard', 'Patent controversy', 'Typical usage', 'JPEG compression', 'Lossless editing', 'JPEG files', 'JPEG filename extensions', 'Early life', 'Family and childhood', 'Teacher and publisher', 'Maine politics', 'House of Representatives, 1863–1876', 'Elected to the House', 'Reconstruction and impeachment', 'Monetary policy', 'Explanatory notes', 'References', 'Citation notes', 'Cited references', 'General references'], ['Acceptance of the Giorgi system, leading to the MKSA system and the SI', 'Redefinition based on fundamental constants', 'SI multiples', 'See also', 'Notes', 'References'], ['Videos']]



['Wikipedia: ΔT', 'Wikipedia: History of Eritrea', 'Wikipedia: Édouard Manet', 'Wikipedia: Edward Mitchell Bannister', 'Wikipedia: Human evolution', 'Wikipedia: Fay Wray', 'Wikipedia: FIFA World Cup', 'Wikipedia: Flamenco', 'Wikipedia: Felsic', 'Wikipedia: Gamma', 'Wikipedia: God Emperor of Dune', 'Wikipedia: General Packet Radio Service', 'Wikipedia: Glendower', 'Wikipedia: History of religion', 'Wikipedia: International Hydrographic Organization', 'Wikipedia: Indianapolis Colts', 'Wikipedia: Immunity', 'Wikipedia: Knitting']
[['Calculation', 'Universal time', 'Terrestrial time', "Earth's rate of rotation", 'Values prior to 1955', 'Geological evidence', 'Early life and childhood', 'Career', 'Allegations of sexual harassment', 'Writing', 'Themes', 'Influences', 'Playwriting', 'Further reading', 'Introductory reading', 'Advanced reading'], ['General information', 'Experiments concerning the process of biological evolution', 'Online lectures'], ['Prehistory', 'Antiquity', 'Early life', 'Career', 'Music in the Tuileries', "Luncheon on the Grass (Le déjeuner sur l'herbe)", 'Olympia', 'Advantages over paper systems', 'Barriers to implementation', 'Acknowledgement', 'See also', 'References', 'Further reading'], ['Notes', 'Citations', 'Bibliography', 'Further reading'], ['State language', 'Dialects', 'Writing system', 'Alphabet', 'Orthography', 'Phonology', 'Grammar', 'Vocabulary', 'Ex nihilo lexical enrichment', 'Sample text', 'EverQuest franchise', 'Notes', 'References'], ['Differential diagnosis', 'Prevention', 'Management', 'First aid', 'Medications', 'Surgery', 'Diet', 'Other', 'Alternative medicine', 'Prognosis', 'History', 'Film editing technology', 'Women in film editing', 'Post-production', 'Methods of montage', 'Continuity editing and alternatives', 'Significance', 'Early life', 'Early acting career', 'Horror films and King Kong', 'Later career', 'Filmography', 'See also', 'Notes', 'References', 'Bibliography'], ['Etymology', 'Palos', 'Music', 'Structure', 'See also', 'References'], ['Africa', 'Americas', 'Asia', 'Europe', 'Oceania', 'Ghana and the Commonwealth of Nations', 'See also', 'References', 'Computing codes', 'Other representations', 'See also', 'References'], ['Samaritan Baptist sects', 'Valentinianism', 'Thomasine traditions', 'Marcion', 'Hermeticism', 'Other Gnostic groups', 'Persian Gnosticism', 'Manichaeism', 'Mandaeanism', 'Middle Ages', 'References', 'Notes', 'Citations', 'Sources'], ['Notes', 'References'], ['Union of Grinnell Student Dining Workers', 'Notable alumni', 'References'], ['Toussaint Louverture ascendant (1793–1802)', 'Napoleon defeated (1802–04)', 'Independence: The early years (1804–43)', 'Black Republic (1804)', 'First Haitian Empire (1804–06)', 'The struggle for unity (1806–20)', "Boyer's domination of Hispaniola (1820–43)", 'Political struggles (1843–1915)', 'United States occupation (1915–34)', 'Elections and coups (1934–57)', 'Life and career', 'Bok as an author', 'Bok as an artist', 'Bok and Emil Petaja', 'See also', 'References'], ['Variable range with minimal movement (dynamic hash function)', 'Data normalization', 'Hashing integer data types', 'Identity hash function', 'Trivial hash function', 'Folding', 'Mid-squares', 'Division hashing', 'Algebraic coding', 'Unique permutation hashing', 'History of study', 'Overview', 'Origin', 'Soviet Union on the international stage', 'World War II', 'Cold War', 'De-Stalinization and the era of stagnation', 'Soviet space program', 'Perestroika and breakup of the Union', 'Russian Federation (1991–present)', 'Liberal reforms of the 1990s', 'The era of Putin', 'Historiography', 'Frequencies, wavelengths, and musical intervals in example systems', 'Harmonics and tuning', 'Timbre of musical instruments', 'Interval strength', 'See also', 'Notes', 'References', 'Recent history', 'Iran-Iraq War', 'Sanctions', 'After the fall of Saddam Hussein', 'Industry', 'Primary sectors', 'Agriculture', 'Forestry, fishing, and mining', 'Energy', 'International Year of Chemistry', 'IUPAC Presidents', 'See also', 'References'], ['Korea', 'Paraguay', 'United States', 'See also', 'Works cited', 'References', 'Medicine', 'Biology', 'Engineering', 'History', 'International Committee of the Red Cross (ICRC)', 'Solferino, Jean-Henri Dunant and foundation.', 'World War I', 'World War II', 'After World War II', 'Afghanistan War', 'International Federation of Red Cross and Red Crescent Societies (IFRC)', 'Median age', 'Population growth rate', 'Birth rate', 'Death rate', 'Net migration rate', 'Urbanization', 'Maternal mortality rate', 'Life expectancy at birth', 'Total fertility rate', 'Health expenditures', 'Dystopian fiction', 'Television', 'Influence', 'In popular music', 'Awards and honours', 'Works', 'Novels', 'Short story collections', 'Non-fiction', 'Interviews', 'Color profile', 'Syntax and structure', 'JPEG codec example', 'Encoding', 'Color space transformation', 'Downsampling', 'Block splitting', 'Discrete cosine transform', 'Quantization', 'Entropy coding', 'Speaker of the House', 'Blaine Amendment', '1876 presidential election', 'Mulligan letters', 'Plumed Knight', 'United States Senate, 1876–1881', '1880 presidential election', 'Secretary of State, 1881', 'Foreign policy initiatives', "Garfield's assassination", 'JVM specification', 'Class loader', 'Virtual machine architecture', 'Bytecode instructions', 'JVM languages', 'Bytecode verifier', 'Secure execution of remote code', 'Structure', 'Courses and wales', 'Weft and warp knitting', 'Knit and purl stitches', 'Right- and left-plaited stitches']]



['Wikipedia: December 22', 'Wikipedia: Ernst Mayr', 'Wikipedia: Extravehicular activity', 'Wikipedia: E-Prime', 'Wikipedia: Freestyle', 'Wikipedia: Frisians', 'Wikipedia: Timeline of the history of Gibraltar', 'Wikipedia: Global warming controversy', 'Wikipedia: Hen Wlad Fy Nhadau', 'Wikipedia: Hasid', 'Wikipedia: Inquests in England and Wales']
[['Notes', 'References'], ['Essays', 'Omeros', 'Nobel Prize in Literature', 'Criticism and praise', 'Personal life', 'Death', 'Legacy', 'Awards and honours', 'List of works', 'See also', 'Biography', 'Ideas', 'Currently-recognised taxa named in his honour', "Summary of Darwin's theory", 'Bibliography', 'Books', 'Punt', 'Ona Culture', 'Gash Group', "Kingdom of D'mt", 'Kingdom of Aksum', 'Post-classical period', 'Early developments', '15th century to the Italian arrival', 'Italian Eritrea', 'Establishment', 'Life and times', 'Cafe scenes', 'Paintings of social activities', 'War', 'Late works', 'Death', 'Legacy', 'Art market', 'Gallery', 'See also', 'Development history', 'First spacewalk', 'Project Gemini', 'First EVA crew transfer', 'Apollo lunar EVA', 'Post-Apollo EVAs', 'Biography', 'Legacy', 'House', 'Important works', 'Gallery', 'Notes', 'Bibliography'], ['See also', 'References', 'Further reading'], ['Anatomical changes', 'Bipedalism', 'Encephalization', 'Sexual dimorphism', 'Ulnar opposition', 'Other changes', 'History of study', 'Before Darwin', 'Darwin', 'Mortality', 'Epidemiology', 'History', 'Society and culture', 'Stigma', 'Economics', 'Vehicles', 'Support organizations', 'Research', 'Seizure prediction and modeling', 'Assistant editors', 'See also', 'References'], ['Personal life', 'Death', 'Honors', 'Partial filmography', 'See also', 'References'], ['History', 'Previous international competitions', 'World Cups before World War II', 'World Cups after World War II', 'Expansion to 32 teams', 'Expansion to 48 teams', '2015 FIFA corruption case', 'Harmony', 'Melody', 'Compás or Time Signature', 'Forms of flamenco expression', 'Toque (guitar)', 'Cante (song)', 'Baile (dance)', 'See also', 'Sources'], ['Terminology', 'Classification of felsic rocks', 'See also', 'Notes', 'References', 'Prehistoric', 'Ancient', 'Muslim rule', 'Castilian/Spanish rule', 'The War of the Spanish Succession', 'History', 'Greek phoneme', 'Phonetic transcription', 'Mathematics and science', 'Lowercase', 'Uppercase', 'Encoding', 'HTML', 'Islam', 'Kabbalah', 'Modern times', 'Sources', 'Heresiologists', 'Gnostic texts', 'Academic studies', 'Definitions of Gnosticism', 'Typologies', 'Traditional approaches – Gnosticism as Christian heresy', 'Plot', 'Concept and themes', 'Style', 'Critical reception', 'References'], ['Technical overview', 'Services offered', 'Protocols supported', 'Hardware', 'Addressing', 'GPRS modems and modules', 'Coding schemes and speeds', 'Multiple access schemes', 'Channel encoding', 'Multislot Class', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', "Vincent's presidency (1934–41)", "Lescot's presidency (1941–46)", 'Revolution of 1946', "Estimé's presidency (1946–50)", "Magloire's presidency (1950–56)", 'The rise of Duvalier (1956–57)', 'The Duvalier era (1957–86)', "'Papa Doc' (1957–71)", "'Baby Doc' (1971–86)", 'The struggle for democracy (1986–present day)', 'Origins', 'Popularity', 'Usage', 'Lyrics', 'Translations', 'Cultural influence', 'Multiplicative hashing', 'Fibonacci hashing', 'Zobrist hashing', 'Customized hash function', 'Hashing variable-length data', 'Middle and ends', 'Character folding', 'Word length folding', 'Radix conversion hashing', 'Rolling hash', 'Axial age', 'Middle Ages', 'Modern period', 'See also', 'Shamanism and ancestor worship', 'Panentheism', 'Polytheism', 'Monotheism', 'Monism', 'Dualism', 'Historians', 'See also', 'References', 'Further reading', 'Surveys', 'Russian Empire', 'Soviet era', 'Post-Soviet era', 'Atlases, geography', 'Primary sources', 'All articles lacking sources', 'Articles containing Hebrew-language text', 'Articles lacking sources from January 2017', 'Articles with short description', 'Hebrew words and phrases', 'Rabbinic literature', '2009 oil services contracts', 'Services', 'Finance', 'Private security', 'Retail', 'Tourism', 'Telecommunications', 'Labor force', 'External trade', 'References', 'History', 'Functions', 'Achievements', 'Publications', 'See also', 'Footnotes'], ['Franchise history', '1953–1983: the Baltimore era', 'Relocation to Indianapolis', '1984–1997: Initial struggles in Indianapolis', '1998–2011: the Peyton Manning era', '2012–2019: the Andrew Luck era', '2019–present: After Luck', 'Law', 'Other', 'Where an inquest is needed', 'Activities', 'Organization', 'Fundamental principles', 'Activities and organization of the International Conference and the Standing Commission', 'Activities and organization of the International Committee of the Red Cross', 'The mission of the ICRC and its responsibilities within the Movement', 'Legal status and organization', 'Funding and financial matters', 'Activities and organization of the International Federation', 'Mission and responsibilities', 'Physicians density', 'Hospital bed density', 'Obesity - adult prevalence rate', 'Children under the age of 5 years underweight', 'Literacy rate', 'UN estimates ===', 'Public attitudes', 'Bibliography', 'References', 'Adaptations', 'Films', 'Radio', 'See also', 'References', 'Notes', 'Bibliography'], ['Compression ratio and artifacts', 'Decoding', 'Required precision', 'Effects of JPEG compression', 'Sample photographs', 'Lossless further compression', 'Derived formats', 'For stereoscopic 3D', 'JPEG Stereoscopic', 'JPEG Multi-Picture Format', 'Private life', '1884 presidential election', 'Nomination', 'Campaign against Cleveland', 'Party leader in exile', 'Secretary of State, 1889–92', 'Pacific diplomacy', 'Latin America and reciprocity', 'Relations with European powers', 'Retirement and death', 'Bytecode interpreter and just-in-time compiler', 'JVM in the web browser', 'JavaScript JVMs and interpreters', 'Compilation to JavaScript', 'Java Runtime Environment', 'Performance', 'Generational heap', 'Security', 'See also', 'References', 'Edges and joins between fabrics', 'Cables, increases, and lace', 'Ornamentations and additions', 'History and culture', 'Properties of fabrics', 'Texture', 'Color', 'Hand knitting process', 'Materials', 'Yarn']]



['Wikipedia: David Deutsch', 'Wikipedia: Decipherment', 'Wikipedia: Evolutionarily stable strategy', 'Wikipedia: Eiffel', 'Wikipedia: Extrasensory perception', 'Wikipedia: Forgetting curve', 'Wikipedia: Father Christmas', 'Wikipedia: Goitre', 'Wikipedia: Goonhilly Satellite Earth Station', 'Wikipedia: Habermas', 'Wikipedia: High jump', 'Wikipedia: House music', 'Wikipedia: History of Christianity', 'Wikipedia: Hoosier Hysteria', 'Wikipedia: Transport in Iraq', 'Wikipedia: IBM mainframe', 'Wikipedia: Politics of Jordan', 'Wikipedia: Journalism', 'Wikipedia: John Abercrombie (physician)']
[['Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['References', 'Further reading'], ['Global reviews of species new to science', 'Other notable publications', 'See also', 'References', 'Citations', 'Sources', 'Further reading'], ['Asmara development', 'British administration and federalisation', 'War for independence', "Provisional Government and People's Front for Democracy and Justice", '1990s', 'Contemporary Eritrea', 'Asmara UNESCO World Heritage Site', 'Relations with neighbours', 'See also', 'References', 'References', 'Further reading', 'Short introductory works', 'Longer works'], ['Chinese EVA', 'Milestones', 'Capability milestones', 'Personal cumulative duration records', 'National, ethnic and gender firsts', 'Commemoration', 'Designations', 'Camp-out procedure', 'See also', 'References', 'Engineering', 'Music', 'Computing', 'History', 'Different functions of "to be"', 'Examples', 'Rationale', 'Psychological effects', 'Works written in E-Prime', 'Criticisms', 'See also', 'References', 'First fossils', 'The East African fossils', 'The genetic revolution', 'The quest for the earliest hominin', 'Human dispersal', 'Dispersal of modern Homo sapiens', 'Evidence', 'Evidence from molecular biology', 'Genetics', 'Evidence from the fossil record', 'Potential future therapies', 'Other animals', 'References', 'Further reading'], ['Brands', 'Media', 'Music', 'Performers and groups', 'Songs', 'Sports', 'Other', 'History', 'Increasing rate of learning', 'Equations', 'See also', 'Notes', 'References', 'Other FIFA tournaments', 'Trophy', 'Format', 'Qualification', 'Final tournament', 'Hosts', 'Selection process', 'Performances', 'Attendance', 'Broadcasting and promotion', 'Early midwinter celebrations', '15th century—the first English personifications of Christmas', '16th century—feasting, entertainment and music', 'History', 'Migration to England and Scotland', 'Language', 'Identity', 'See also', 'References', 'Works cited', 'Further reading', 'The Gibraltar capture', 'The first Spanish siege (Twelfth Siege of Gibraltar)', 'During the rest of the war', 'British rule', 'Treaty of Utrecht', 'Until the Peninsular Wars', 'Until the Second World War', 'Second World War and after', 'Twenty-first century', 'See also', 'Unicode', 'See also', 'References', 'Phenomenological approaches', 'Restricting Gnosticism', 'Deconstructing Gnosticism', 'Modern Scholarship 2014', 'Psychological approaches', 'See also', 'Notes', 'Subnotes', 'References', 'Printed sources', 'History', 'Statistics', 'Closure', 'Visitor centre', 'Future', 'Multislot Classes for GPRS/EGPRS', 'Attributes of a multislot class', 'Usability', 'History of GPRS', 'See also', 'References'], ['History', 'Public opinion', 'Related controversies', 'Scientific consensus', 'Authority of the IPCC', 'Greenhouse gases', 'Solar variation', 'Transitional government (1986–90)', 'The rise of Aristide (1990–91)', 'Military rule (1991–94)', 'The return of Aristide (1994–96)', "Preval's first Presidency (1996–2001)", "Aristide's second presidency (2001–04)", "The 2004 coup d'état", 'The second Préval presidency (2006–2011)', 'Earthquake 2010', 'The Martelly presidency (2011–2016)', 'Gwlad Newydd y Cymry', 'Translation', 'Footnotes', 'References'], ['Analysis', 'History', 'See also', 'Notes', 'References'], ['New religious movements', 'References', 'Citations', 'Sources', 'Further reading'], [], ['Origins', 'Jewish-Hellenistic background', 'Short description matches Wikidata', 'High school basketball', 'Homegrown talent'], ['Railways', 'Maps', 'First and second generation', 'Smaller machines', 'IBM System/360', "Today's systems", 'Logos and uniforms', 'Lucas Oil Stadium', 'Rivalries', 'AFC South rivalries', 'New England Patriots', 'Earliest rivalries', 'New York Giants', 'New York Jets', 'Miami Dolphins', 'Players', 'Juries', 'Scope of inquest', 'Procedure', 'Verdict or conclusions', 'Modernisation', 'See also', 'References'], ['Bibliography', 'National Societies', 'Official recognition', 'Activities of national societies on a national and international stage', 'History of the emblems', 'Emblems in use', 'The Red Cross', 'The Red Crescent', 'The Red Crystal', 'Recognized emblems in disuse', 'The Red Lion and Sun', 'Executive branch', 'Legislative branch', 'Judicial branch', 'Political conditions', 'Production', 'Forms', 'Social media', 'Fake news', 'Propaganda compared with fake news', 'JPEG XT', 'JPEG XL', 'Incompatible JPEG standards', 'Implementations', 'See also', 'References'], ['Legacy', 'Notes', 'References', 'Citations', 'Sources', 'Further reading'], [], ['Life', 'Artistic Recognition', 'Metal Wire', 'Glass/Wax', 'Tools', 'Needles', 'Largest circular knitting needles', 'Record', 'Ancillary tools', 'Knitting Styles', 'Techniques for Holding Yarn', 'Continental Style']]



['Wikipedia: Europe', 'Wikipedia: Geography of Eritrea', 'Wikipedia: Erin Brockovich', 'Wikipedia: Emil Kraepelin', 'Wikipedia: Elliptic curve', 'Wikipedia: Friedrich Wöhler', 'Wikipedia: Field-programmable gate array', 'Wikipedia: Futurism (disambiguation)', 'Wikipedia: Demographics of Gibraltar', 'Wikipedia: Gregor Aichinger', "Wikipedia: Godwin's law", 'Wikipedia: Gnosis', 'Wikipedia: Geography of Haiti', 'Wikipedia: Herman Brood', 'Wikipedia: Index', 'Wikipedia: Economy of Jordan', 'Wikipedia: Joseph Severn', 'Wikipedia: Justinian I', 'Wikipedia: Judgement of Paris']
[['Early life and education', 'Career and research', 'The Fabric of Reality', 'The Beginning of Infinity', 'Awards and honours', 'Personal life', 'See also', 'Ancient languages', 'Decipherers', 'See also', 'Deciphered scripts', 'Undeciphered scripts', 'Undeciphered texts', 'References', 'Name', 'Definition', 'Contemporary definition', 'History of the concept', 'Early history', 'Further reading'], ['Climate', 'History', 'Motivation', 'Nash equilibrium', 'Examples of differences between Nash equilibria and ESSes', 'Vs. evolutionarily stable state', 'Stochastic ESS', "Prisoner's dilemma", 'Human behavior'], ['Early life', 'Pacific Gas and Electric litigation', 'People', 'Other', 'See also', 'Footnotes'], ['Elliptic curves over the real numbers', 'Inter-species breeding', 'Before Homo', 'Early evolution of primates', 'Divergence of the human clade from other great apes', 'Genus Australopithecus', 'Evolution of genus Homo', 'H. habilis and H. gautengensis', 'H. rudolfensis and H. georgicus', 'H. ergaster and H. erectus', 'H. cepranensis and H. antecessor', 'History', 'Skepticism', 'Dermo-optical perception', 'See also', 'Notes', 'References', 'Further reading'], ['Biography', 'Contributions to chemistry', 'Inorganic chemistry', 'Organic chemistry', 'Final days and legacy', 'Technical design', 'History', 'Integration', 'Results', 'Teams reaching the top four', 'Best performances by continental zones', 'Awards', 'Records and statistics', 'Top goalscorers', 'All-time table for champions', 'See also', 'Citations', 'Cited works', '17th century—religion and politics', 'Puritan criticisms', "Puritan revolution—enter 'Father Christmas'", 'Restoration', '18th century—a low profile', 'Early records of folk plays', '19th century—revival', "'Merry England' view of Christmas", 'Later 19th century mumming', 'Father Christmas as gift-giver'], ['Cultural movements', 'Religion', 'Notes', 'Bibliography'], ['Signs and symptoms', 'Causes', 'Diagnosis', 'Types', 'Treatment', 'Epidemiology', 'History', 'Society and culture', 'Notable cases', 'Heraldry', 'Web-sources', 'Further reading'], ['Support for Moon exploration', 'Gallery', 'References'], ['Etymology', 'Judeo-Christian usage', 'Hellenistic Jewish literature', 'New Testament', 'In the writings of the Greek Fathers', 'In Eastern Orthodox thought', 'Aerosols forcing', 'Analysis of temperature records', 'Instrumental record of surface temperature', 'Tropospheric temperature', 'Antarctica cooling', 'Climate sensitivity', 'Infrared iris hypothesis', 'Temperature projections', 'Forecasts confidence', 'Arctic sea ice decline', 'The Moise presidency (2017– )', 'See also', 'Notes', 'Further reading'], ['All set index articles', 'Articles with short description', 'Short description is different from Wikidata', 'Surnames', 'Rules', 'History', 'Technical aspects', 'Step by step', 'Approach', 'Take-off', 'Flight', 'Characteristics', 'Influences and precursors', 'Early history (1980s): Chicago house, acid house and deep house', 'Origins of the term "house"', 'Social and political aspects', 'House dance', 'Regional scenes (1980s–1990s)', 'Ministry of Jesus', 'Early Christianity (c. 31/33–324)', 'Apostolic Age', 'Ante-Nicene period', 'Developing church structure', 'Variant Christianities', 'Development of the Biblical canon', 'Early orthodox writings', 'Early art', 'Persecutions and legalisation', 'One-class tradition', 'High school gymnasiums', 'College basketball', 'Ball State Cardinals', 'Butler Bulldogs', 'Evansville Purple Aces', 'Indiana Hoosiers', 'Indiana State Sycamores', 'Notre Dame Fighting Irish', 'Purdue Boilermakers', 'Railway links with adjacent countries', 'Road Transport', 'Roads', 'Waterways', 'Pipelines', 'Ports and harbors', 'Persian Gulf', 'Merchant marine', 'Airports', 'Airports – with paved runways', 'Processor units', 'Operating systems', 'Middleware', 'Emulators', 'See also', 'References', 'Further reading'], ['Current roster', 'Retired numbers', 'Pro Football Hall of Famers', 'Ring of Honor', 'First-round draft picks', 'Coaches', 'Head coaches', 'Current staff', 'Statistics and records', 'Season-by-season record', 'Arts, entertainment, and media', 'Fictional entities', 'Periodicals and news portals', 'Other arts, entertainment and media', 'Unrecognized emblems', 'The Red Star of David (Magen David Adom)', '1996 hostage crisis allegations', 'See also', 'Notes', 'References', 'Further reading', 'Books', 'Journal articles'], ['Decentralization', 'Corruption', 'Administrative divisions', 'International organization participation', 'References'], ['History', 'Journalism in antiquity', 'Early modern newspapers', 'News media and the revolutions of the 18th and 19th centuries', 'Early 20th century', 'China', 'France', 'Great Britain', 'India', 'United States', 'Background', 'Early years in London 1815-1820', 'Journey to Italy with John Keats, 1820–1821', 'Life and work after the death of Keats', 'Marriage and family', 'Death', 'Life', 'Reign', 'Legislative activities', 'Nika riots', 'Military activities', 'War with the Sassanid Empire, 527–532', 'See also', 'Notes'], ['English Style', 'Portuguese/ Incan/ Turkish Style', 'Mega Knitting', 'Micro knitting', 'Commercial applications', 'Graffiti', 'Yarn Crawl', 'Charity', 'Health benefits', 'See also']]



['Wikipedia: Volkssturm', 'Wikipedia: Decca Navigator System', 'Wikipedia: Demographics of Eritrea', 'Wikipedia: Element', 'Wikipedia: Electric charge', 'Wikipedia: Economies of scale', 'Wikipedia: Funk', 'Wikipedia: Quintus Fabius Maximus Verrucosus', 'Wikipedia: Filippo Tommaso Marinetti', 'Wikipedia: Genetics', 'Wikipedia: Gospel of Barnabas', 'Wikipedia: Georgian', 'Wikipedia: Foreign relations of Iraq', 'Wikipedia: Iowa State University', 'Wikipedia: Ira Gershwin', 'Wikipedia: January 19', 'Wikipedia: Karl Popper']
[['References', 'Origins and organization', 'Ranks', 'Principles of Operation', 'Overview', 'Detailed Principles of Operation', 'Lanes and Zones', 'Multipulse', 'Range and Accuracy', 'Modern definitions', 'History', 'Prehistory', 'Classical antiquity', 'Early Middle Ages', 'High and Late Middle Ages', 'Early modern period', '18th and 19th centuries', '20th century to the present', 'Geography', 'Data', 'Extreme points', 'References', 'See also', 'References', 'Further reading'], ['Other litigation', 'Awards', 'Movies', 'Book', 'References'], ['Family and early life', 'Education and career', 'Theories and classification schemes', 'Psychosis and mood', 'Psychopathic personalities', "Alzheimer's disease", 'Eugenics', 'Influence', 'On Language Disturbances in Dreams', 'Bibliography', 'The group law', 'Elliptic curves over the complex numbers', 'Elliptic curves over the rational numbers', 'The structure of rational points', 'The Birch and Swinnerton-Dyer conjecture', "The modularity theorem and its application to Fermat's Last Theorem", 'Integral points', 'Generalization to number fields', 'Elliptic curves over a general field', 'Isogeny', 'H. heidelbergensis', 'H. rhodesiensis, and the Gawis cranium', 'Neanderthal and Denisovan', 'H. floresiensis', 'H. luzonensis', 'H. sapiens', 'Use of tools', 'Stone tools', 'Transition to behavioral modernity', 'Recent and ongoing human evolution', 'Overview', 'The determinants of economies of scale', 'Physical and engineering basis: economies of increased dimension', 'Family', 'Further works', 'See also', 'References', 'Further reading'], ['Soft Core', 'Timelines', 'Gates', 'Market size', 'Design starts', 'Comparisons', 'To ASICs', 'Trends', 'Complex Programmable Logic Devices (CPLD)', 'Security considerations'], ['Beginnings', 'Dictatorship during the Second Punic War', 'Santa Claus crosses the Atlantic', 'Merger with Santa Claus', 'Appearances in public', 'As secret nocturnal visitor', '20th century', '21st century', 'References'], ['Music', 'Albums', 'Songs', 'Other uses', 'See also', 'Ethnic origins', 'Spanish', 'British', 'Genoese and other Italians', 'Portuguese', 'Moroccans', 'Other groups', 'National censuses', '2012 census', '2001 census', 'See also', 'References'], ['Life', 'Notes', 'References'], ['Generalization, corollaries, usage', "Exceptions (Per Godwin's Opinion)", 'See also', 'References', 'Further reading'], ['Gnosticism', 'See also', 'References', 'Sources', 'Data archiving and sharing', 'Political questions', 'Kyoto Protocol', 'Funding', 'Debate over most effective response to warming', 'Political pressure on scientists', 'Litigation', 'Kelsey Cascade, Rose Juliana et. al. vs. United States', 'See also', 'Notes', 'Climate', 'Physical geography', 'Islands', 'Statistics', 'See also', 'References', 'External resources', 'Musical career', 'Visual arts career', 'Suicide and legacy', 'Discography (albums)', 'Movies', 'Literature', 'References', 'Training', 'Sprinting', 'Weight lifting', 'Plyometrics', 'All-time top 25 high jumpers', 'Men (absolute)', 'Notes', 'Women (absolute)', 'Olympic medalists', 'Men', 'Detroit and techno', 'UK: Acid house, rave culture and the Second Summer of Love', "Chicago's second wave: Hip house and ghetto house", 'New York and New Jersey: Garage house and the "Jersey sound"', 'Ibiza', 'Other regional scenes', 'The 1990s', '21st century', '2000s', '2010s', 'Late antiquity (313–476)', 'Influence of Constantine', 'Arianism and the first ecumenical councils', 'Christianity as Roman state religion', 'Nestorianism and the Sasanian Empire', 'Monasticism', 'Early Middle Ages (476–799)', 'Western missionary expansion', 'Byzantine Iconoclasm', 'High Middle Ages (800–1299)', 'Valparaiso Crusaders', 'Indianapolis Greyhounds', "St. Joseph's Pumas", 'USI Screaming Eagles', 'Vincennes Trailblazers', 'Bethel College (Mishawaka)', 'Professional basketball', 'Indiana Pacers', 'Indiana Fever', 'National profile', 'Airports – with unpaved runways', 'Heliports', 'See also', 'References'], ['History', 'Beginnings', 'Maturity as a university', 'Academics', 'Colleges and schools', 'Records', 'Radio and television coverage', 'Radio station affiliates', 'Indiana', 'Illinois', 'Kentucky', 'U.S. national anthem protest', 'References'], ['Business enterprises and events', 'Finance', 'Places in the United States', 'Publishing and library studies', 'Science, technology, and mathematics', 'Computer science', 'Economics', 'Mathematics and statistics', 'Algebra', 'Analysis', 'Life and career', 'Awards and honors', 'Legacy', 'Exchange rates', 'Economic overview', 'Remittances to Jordan', 'Standard of living', 'Main indicators', 'Industries', 'Agriculture, forestry, and fishing', 'African-American press', 'Writing for experts or for ordinary citizens?', 'Radio', 'Television', 'Digital age', 'Professional and ethical standards', 'Failing to uphold standards', 'Codes of ethics', 'Legal status', 'Right to protect confidentiality of sources', 'Paintings', 'Biographies and books', 'Notes', 'References', 'Further reading'], ['Conquest of North Africa, 533–534', 'War in Italy, first phase, 535–540', 'War with the Sassanid Empire, 540–562', 'War in Italy, second phase, 541–554', 'Other campaigns', 'Results', 'Religious activities', 'Religious policy', 'Religious relations with Rome', 'Authoritarian rule', 'Sources of the episode', 'Mythic narrative', 'In post-Classical art', 'Gallery', 'Paintings', 'Mosaïc', 'Sculptures and engravings', 'Kallistēi', 'Use in Discordianism', 'Dramatizations', 'References', 'Further reading'], []]



['Wikipedia: Evoluon', 'Wikipedia: Federal jurisdiction (United States)', 'Wikipedia: Groningen (disambiguation)', 'Wikipedia: Goya (disambiguation)', 'Wikipedia: George Dantzig', 'Wikipedia: Demographics of Haiti', 'Wikipedia: Homomorphism', 'Wikipedia: Hanover, New Hampshire', 'Wikipedia: Immigration to the United States', 'Wikipedia: Information retrieval', 'Wikipedia: Indus River', 'Wikipedia: Jurisdiction']
[['Training and impact', 'Battle for Berlin', 'Final phase', 'Notable members', 'In fiction', 'See also', 'Notes', 'References', 'Citations', 'Bibliography', 'History', 'Origins', 'Deployment', 'Decca, Racal, and the closedown', 'Other applications', 'Delrac', 'Dectra', 'Hi-Fix', 'Special DECCA towers', 'See also', 'Climate', 'Geology', 'Flora', 'Fauna', 'Politics', 'List of states and territories', 'Economy', 'Economic history', 'Demographics', 'Ethnic groups', 'Ethno-linguistic groups', 'Afro-Asiatic communities', 'Semitic speakers', 'Tigrinya', 'Tigre', 'Rashaida', 'Jeberti', 'Cushitic speakers', 'Afar', 'Saho', 'Business', 'Entertainment', 'Music', 'Other entertainment', 'Mathematics', 'Philosophy and religion', 'Science', 'Technology', 'Other', 'Overview', 'Units', 'History', 'The role of charge in static electricity', 'Electrification by friction', 'The role of charge in electric current', 'Relativistic invariance', 'Collected works', 'See also', 'References', 'Sources'], ['Elliptic curves over finite fields', 'Applications', 'Algorithms that use elliptic curves', 'Alternative representations of elliptic curves', 'See also', 'Notes', 'References'], ['Species list', 'See also', 'Notes', 'References', 'Sources', 'Further reading'], ['Economies in holding stocks and reserves', 'Transaction economies', 'Economies deriving from the balancing of production capacity', 'Economies resulting from the division of labour and the use of superior techniques', 'Managerial Economics', 'Learning and growth economies', 'Capital and operating cost', 'Crew size and other operating costs for ships, trains and airplanes', 'Economical use of byproducts', 'Economies of scale and returns to scale', 'Etymology', 'Characteristics', 'Rhythm and tempo', 'Harmony', 'Improvisation', 'Instruments and vocals', 'Bass', 'Applications', 'Common applications', 'Architecture', 'Logic blocks', 'Hard blocks', 'Clocking', '3D architectures', 'Design and programming', 'Basic process technology types', 'Major manufacturers', 'Fabian strategy', 'After his dictatorship', 'Honors and death', 'Legacy', 'See also', 'Footnotes', 'References', 'Primary sources', 'Secondary material', 'Further reading', 'Legislative Branch', 'Judicial branch', 'References', 'See also', 'Childhood and adolescence', 'Futurism', 'Wartime', 'Marriage', 'Marinetti and Fascism', 'Writings', 'References', 'Further reading', 'Population overview', 'Vital statistics[https://www.gibraltar.gov.gi/images/stories/PDF/statistics/2012/Abstract_of_Statistics_2011.pdf]===', 'CIA World Factbook demographic statistics', 'Population age', 'Sex ratio', 'Life expectancy', 'Fertility', 'Infant mortality', 'Nationality', 'Religions', 'Etymology', 'History', 'Mendelian and classical genetics', 'Molecular genetics', 'Features of inheritance', "Discrete inheritance and Mendel's laws", 'Notation and diagrams', 'Multiple gene interactions', 'Molecular basis for inheritance', 'DNA and chromosomes', 'Textual history', 'Earlier occurrences of a Gospel of Barnabas', 'Manuscripts', 'Italian manuscript', 'Spanish manuscript', 'Comparison', 'Origins', 'Analysis', 'Islamic and anti-Trinitarian views', 'See also', 'Common meanings', 'Places', 'Airlines', 'Schools', 'Arts and entertainment', 'People', 'Other uses', 'See also', 'References', 'Further reading'], ['Population in Haiti', 'Structure of the population  ===', 'Vital statistics', 'Births and deaths'], ['Definition', 'Examples', 'Women', 'World Championships medalists', 'World Indoor Championships medalists', 'Athletes with most medals', "Season's bests", 'Height differentials', 'Female two metres club', 'National records', 'See also', 'Notes and references', 'See also', 'References', 'Further reading'], ['Carolingian Renaissance', 'Growing tensions between East and West', 'Photian schism', 'East–West Schism (1054)', 'Monastic reform', 'Investiture Controversy', 'Crusades', 'Medieval Inquisition', 'Spread of Christianity', 'Late Middle Ages and the early Renaissance (1300–1520)', 'Big Ten Tournament', 'Final Four', 'World championships', 'Firsts', 'Local basketball stars', 'See also', 'References'], ['Africa', 'Americas', 'Asia', 'Europe', 'Oceania', 'Member of international organizations', 'Ministry of Foreign Affairs', 'International disputes', 'College of Agriculture and Life Sciences', 'Ivy College of Business', 'College of Art & Design', 'College of Education', 'College of Engineering', 'College of Human Sciences', 'College of Liberal Arts & Sciences', 'College of Veterinary Medicine', 'Graduate College', 'Rankings', 'History', 'Colonial period', 'Early United States era', '20th Century', 'Number theory', 'Statistics', 'Other uses in science and technology', 'Other uses', 'See also', 'Personal life', 'Notable songs', 'References', 'Sources'], ['Mining and minerals', 'Industry and manufacturing', 'Telecoms and IT', 'Energy', 'Transport', 'Media and Advertising', 'Services', 'Tourism', 'External trade', 'Investment', 'See also', 'Journalism reviews', 'Academic journals', 'References', 'Notes', 'Sources', 'Further reading'], ['Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['Architecture, learning, art and literature', 'Economy and administration', 'Natural disasters', 'Cultural depictions', 'Historical sources', 'See also', 'Notes', 'Primary sources', 'Bibliography'], ['Classical Literature Sources', 'See also', 'Notes', 'References'], ['Life and career', 'Family and training', 'Academic life', 'Death', 'Honours and awards', 'Philosophy', "Background to Popper's ideas", 'Philosophy of science', 'Falsifiability and the problem of demarcation', 'Falsification and the problem of induction']]



["Wikipedia: Director's cut", 'Wikipedia: Dana Rohrabacher', 'Wikipedia: Extremophile', 'Wikipedia: Ellis Island', 'Wikipedia: Educational essentialism', 'Wikipedia: Equidae', 'Wikipedia: Evliya Çelebi', 'Wikipedia: Free-running sleep', 'Wikipedia: Floating-point arithmetic', 'Wikipedia: Fossil Record', 'Wikipedia: Franz Mesmer', 'Wikipedia: Georgian architecture', 'Wikipedia: Heraclitus', 'Wikipedia: Hardcore', 'Wikipedia: Demographics of the Republic of Ireland', 'Wikipedia: John Calvin', 'Wikipedia: Jetsprint', 'Wikipedia: John Martyn']
[[], ['Origin of the phrase', 'Inception', 'References', 'Citations', 'Bibliography'], ['Migration', 'Languages', 'Major cities', 'Culture', 'Religion', 'Sport', 'See also', 'Notes', 'References', 'Sources', 'Bilen', 'Beja', 'Nilo-Saharan communities', 'Kunama', 'Nara', 'Other communities', 'Italians', 'Religion', 'Population', 'Vital statistics', 'See also', 'Characteristics', 'Classifications', 'See also', 'References'], ['References'], ['Evolution', 'Classification', 'References', 'Life', 'Travels', 'Croatia', 'Mostar', 'Kosovo', 'Albania', 'Economies of scale in the history of economic analysis', 'Economies of scale in classical economists', 'The economies of scale in Marx and Distributional consequences', 'Economies of scale in Marshall', 'Sraffa’s critique', "Economies of scale and the tendency towards monopoly: ‘Cournot's dilemma’", 'See also', 'Notes', 'References'], ['Drums', 'Electric guitar', 'Keyboards', 'Vocals and lyrics', 'Other instruments', 'Costumes and style', 'History', 'New Orleans', '1960s: James Brown', 'Late 1960s – early 1970s', 'See also', 'Notes', 'References', 'Further reading'], [], ['Overview', 'Floating-point numbers', 'Abstracting and indexing', 'References'], [], ['Early life', 'Animal magnetism', 'Languages', 'Literacy', 'Educational attainment in Gibraltar', 'Crime rate', 'Notes', 'References', 'See also', 'Reproduction', 'Recombination and genetic linkage', 'Gene expression', 'Genetic code', 'Nature and nurture', 'Gene regulation', 'Genetic change', 'Mutations', 'Natural selection and evolution', 'Model organisms', 'Prediction of Muhammad', 'Paul and Barnabas', 'Other non-canonical differences', 'Anachronisms', 'Islamic perspectives', 'Possible Syriac manuscripts', 'See also', 'Notes', 'References', 'Further reading', 'Film and television', 'Music', 'Places', 'Ships', 'Other uses', 'See also', 'Characteristics', 'Styles', 'Types of buildings', 'Houses', 'Early life and education', 'Career', 'Research', 'Mathematical statistics', 'Linear programming', 'Personal life', 'Publications', 'See also', 'Notes', 'Further reading', 'Fertility and births', 'Other demographic statistics', 'Languages', 'Religion', 'Education', 'Labor', 'Emigration', 'Immigration', 'References', 'Special homomorphisms', 'Isomorphism', 'Endomorphism', 'Automorphism', 'Monomorphism', 'Epimorphism', 'Kernel', 'Relational structures', 'Formal language theory', 'See also'], ['Life', 'Floruit', 'History', 'Etymology', 'Geography', 'Climate', 'Demographics', 'Government', 'Education', 'Economy', 'Infrastructure', 'Avignon Papacy and Western Schism', 'Criticism of Church corruption', 'Renaissance and the Church', 'Fall of Constantinople', 'Early modern period (c. 1500 – c. 1750)', 'Reformation', 'Counter-Reformation', 'Catholic Reformation', 'Trial of Galileo', 'Puritans in North America', 'Arts and media', 'Film', 'Music', 'Genres', 'Albums', 'See also', 'References'], ['Parks Library', 'Intensive English and Orientation Program', 'Distinctions', 'Birthplace of first electronic digital computer', 'Birth of cooperative extension', 'VEISHEA celebration', 'Manhattan Project', 'Research', 'Ames Laboratory', 'ISU Research Park', 'Since 1965', 'President Trump policies', 'Origins of the U.S. immigrant population, 1960–2016', 'Contemporary immigration', 'Ethnicity', 'Demography', 'Extent and destinations', 'Origin', 'Effects of immigration', 'Demographics', 'Overview', 'History', 'Model types', 'First dimension: mathematical basis', 'Second dimension: properties of the model', 'Performance and correctness measures', 'Timeline', 'Major conferences', 'Etymology and names', 'Description', 'History', 'Geography', 'Tributaries', 'Geology', 'Wildlife', 'Mammals', 'Salaries', 'Aqaba', 'See also', 'References', 'Notes', 'Bibliography'], ['Life', 'Early life (1509–1535)', 'Reform work commences (1536–1538)', 'Minister in Strasbourg (1538–1541)', 'Reform in Geneva (1541–1549)', 'History', 'Format', 'Boats', 'Crew', 'Early life', 'Late 1960s', '1970s', 'International dimension', 'Political issue', 'International and municipal', 'Law', 'International', 'Jurisdiction Principles', 'Supranational', 'National', 'Rationality', 'Philosophy of arithmetic', 'Political philosophy', 'The paradox of tolerance', 'The "conspiracy theory of society"', 'Metaphysics', 'Truth', "Popper's three worlds", 'Origin and evolution of life', 'Free will']]



['Wikipedia: Europa', 'Wikipedia: List of economists', 'Wikipedia: Elie Wiesel', 'Wikipedia: Frequency modulation synthesis', 'Wikipedia: Foix–Alajouanine syndrome', 'Wikipedia: Politics of Gibraltar', 'Wikipedia: Georgius Agricola', 'Wikipedia: Green Bay Packers', 'Wikipedia: Geoff Ryman', 'Wikipedia: Politics of Haiti', 'Wikipedia: HyperCard', 'Wikipedia: HMS Beagle', 'Wikipedia: Harold Alexander, 1st Earl Alexander of Tunis', 'Wikipedia: List of Italian-language poets', 'Wikipedia: Telecommunications in Jordan', 'Wikipedia: Jainism', 'Wikipedia: John Abernethy (surgeon)']
[['Criticism', 'Extended cuts and special editions', 'Examples', "Music video director's cut", 'Expanded usage in pop culture', 'Video games', 'Music "director\'s cuts"', 'See also', 'References'], ['Early life and career', 'U.S. House of Representatives', 'Elections', 'Tenure', 'Committee assignments', 'Caucus memberships', 'Foreign and security policy positions', 'Russia', 'Terrorism'], ['Places', 'Astronomical locations', 'Fertility and Births', 'Life expectancy', 'Demographic statistics', 'Age structure', 'Total fertility rate', 'Birth rate', 'Death rate', 'Population growth rate', 'Median age', "Mother's mean age at first birth", 'Terms', 'In astrobiology', 'Examples and recent findings', 'Biotechnology', 'DNA transfer', 'See also', 'Specific types of organisms', 'Lists', 'References', 'Further reading', 'Geography and access', 'Land expansion', 'State sovereignty dispute', 'Public access', 'History', 'Precolonial and colonial use', 'Military use and Fort Gibson', 'First immigration station', 'Second immigration station', 'Design and construction', 'Principles of essentialism', 'Essentialism as a teacher-centered philosophy', 'History of essentialism', 'Renowned essentialists', 'Schools enacting an essentialist curriculum', 'Criticism of essentialism', 'See also', 'References', 'Economists', 'A', 'B', 'C', 'D', 'Europe', 'Azerbaijan', 'Crimean Khanate', 'Parthenon', 'Syria and Palestine', 'The Seyâhatnâme', 'In popular culture', 'Bibliography', 'In Turkish', 'In English', 'Early life', 'Imprisonment and orphaning during the Holocaust', 'Post-war career as a writer', 'P-Funk: Parliament-Funkadelic', '1970s', 'Jazz funk', 'Headhunters', 'On the Corner', '1980s synth-funk', 'Late 1980s to 2000s nu-funk', '2010s punk laptronica', 'Derivatives', 'Psychedelic funk', 'Background', 'In humans', 'See also', 'References'], ['Alternatives to floating-point numbers', 'History', 'Range of floating-point numbers', 'IEEE 754: floating point in modern computers', 'Internal representation', 'Special values', 'Signed zero', 'Subnormal numbers', 'Infinities', 'NaNs', 'History', '1960s - 1980s', '1990s - present', 'Spectral analysis', 'Procedure', 'Investigation', 'Works', 'Notes', 'References'], ['Executive branch', 'Government', 'Legislature', 'Governor', 'Political parties and general elections', '2003 election', 'Medicine', 'Research methods', 'DNA sequencing and genomics', 'Society and culture', 'See also', 'References', 'Further reading'], [], ['Christian perspectives', 'Islamic Perspectives', 'History', 'Founding', "1929–1931: Lambeau's team arrives", '1935–1945: The Don Hutson era', '1946–1958: Wilderness', 'Churches', 'Public buildings', 'Colonial Georgian architecture', 'Post-Georgian developments', 'Gallery', 'See also', 'Notes', 'References', 'Further reading'], ['Biography', 'Works', 'History', 'Summary', 'Creole in Politics and Corruption', 'See also', 'Notes', 'Citations', 'References', 'Diogenes Laërtius', 'Ephesus', 'Childhood', 'Misanthropy', 'Dropsy and death', 'On Nature', 'Heracliteans', 'Ancient characterizations', '"The Obscure"', 'The "weeping philosopher"', 'Plaudits', 'Notable people', 'References'], ['Late modern period (c. 1750 – c. 1945)', 'Revivalism', 'Great Awakenings', 'Restorationism', 'Eastern Orthodoxy', 'Trends in Christian theology', 'Under Communism and Nazism', 'Contemporary Christianity', 'Second Vatican Council', 'Ecumenism', 'Video games', 'Other uses in media', 'Technology', 'See also', 'Demographic history', 'Ethnic groups and immigration', 'Total fertility rate from 1850 to 1899', 'Population statistics from 1900', 'Current natural growth', 'Nationality of mothers', 'Life expectancy', 'Demographic statistics', 'Nationality', 'Nationalities in the Republic of Ireland', 'Other research institutes', 'Campus', 'Recognition', 'Campanile', 'Lake LaVerne', 'Reiman Gardens', 'University Museums', 'Brunnier Art Museum', 'Farm House Museum', 'Art on Campus Collection', 'Economic', 'Overall economic prosperity', 'Fiscal effects', 'Inequality', 'Impact of undocumented immigrants', 'Impact of refugees', 'Innovation and entrepreneurship', 'Social', 'Discrimination', 'Business', 'Awards in the field', 'See also', 'References', 'Further reading'], ['Fish', 'Economy', 'People', 'Modern issues', 'Indus delta', 'Effects of climate change on the river', 'Pollution', '2010 floods', '2011 floods', 'Barrages, bridges, levees and dams', 'Telephone', 'Radio', 'Media and Communications  Providers', 'FM Stations', 'Television', 'PCs', 'Discipline and opposition (1546–1553)', 'Michael Servetus (1553)', 'Securing the Protestant Reformation (1553–1555)', 'Final years (1555–1564)', 'Impact on France', 'Last illness', 'Theology', 'Controversies', 'Calvin and the Jews', 'Political thought', 'Classes', 'See also'], ['References', 'Original sound', 'Collaborations with Beverley Martyn', 'Solo Releases', '1980s', '1990s and 2000s', 'Death', 'Tributes', 'Discography', 'Studio albums', 'Live albums', 'United States', 'Colloquially', 'Franchise jurisdiction', 'References'], ['Religion and God', 'Influence', 'Criticism', 'Bibliography', 'Filmography', 'See also', 'References', 'Further reading'], []]



['Wikipedia: Digital video', 'Wikipedia: Education reform', 'Wikipedia: Progressive education', 'Wikipedia: Ancient Egyptian religion', 'Wikipedia: Fenrir', 'Wikipedia: Font (disambiguation)', 'Wikipedia: Ferromagnetism', 'Wikipedia: George Pappas', 'Wikipedia: Goshen, Indiana', 'Wikipedia: Gametophyte', 'Wikipedia: Economy of Haiti', 'Wikipedia: Hertz', 'Wikipedia: Transport in Jordan', 'Wikipedia: Kamikaze']
[['History', 'Digital video cameras', 'Digital video coding', 'Defense of interrogation techniques and extraordinary rendition', 'Afghanistan', 'Bosnia and Kosovo independence', 'China', 'Organ harvesting in China', 'Iraq War', 'Iran', 'Aid to Pakistan', 'Support for Mohiuddin Ahmed', 'Taiwan', 'Buildings and structures', 'Fictional locations', 'People', 'Greek mythology', 'Businesses', 'Computing and technology', 'Currency', 'Film', 'Literature', 'Music', 'Contraceptive prevalence rate', 'Net migration rate', 'Dependency ratios', 'Urbanization', 'Sex ratio', 'Life expectancy at birth', 'Nationality', 'Ethnic groups', 'Religions', 'Languages'], ['History', 'Classical times', 'Early expansions', 'Conversion to detention center', 'Post-closure', 'Initial redevelopment plans', 'Restoration and reopening of north side', 'Structures', 'North side', 'Main building', 'Kitchen and laundry', 'Bakery and carpentry shop', 'Educational theory', 'Johann Bernhard Basedow', 'Christian Gotthilf Salzmann', 'Johann Heinrich Pestalozzi', 'E', 'F', 'G', 'H', 'I', 'J', 'K', 'L', 'M', 'N', 'In German', 'See also', 'References'], ['France', 'United States', 'Political activism', 'Teaching', 'Personal life', 'Death and after', 'Awards and honors', 'Honorary degrees', 'See also', 'Notes', 'Funk rock', 'Avant-funk', 'Go-go', 'Boogie', 'Electro funk', 'Funk metal', 'G-funk', 'Timba funk', 'Funk jam', 'Social impact', 'Attestations', 'Poetic Edda', 'Prose Edda', 'Gylfaginning chapters 13 and 25', 'Gylfaginning chapter 34', 'Gylfaginning chapters 38 and 51', 'IEEE 754 design rationale', 'Other notable floating-point formats', 'Representable numbers, conversion and rounding', 'Rounding modes', 'Floating-point arithmetic operations', 'Addition and subtraction', 'Multiplication and division', 'Dealing with exceptional cases', 'Accuracy problems', 'Incidents', 'Footnote', 'See also', 'Citations', 'References'], ['See also', 'References'], ['2007 election', '2011 election', '2013 by-election', '2015 election', 'European Parliament elections', 'Constitutional reform', 'Select Committee proposals', '2006 Constitution', 'Integration with the UK', 'Condominium', "Studies in Berkeley's philosophy", 'Publications', 'See also', 'References', 'Etymology', 'Early life', 'Youth', 'Humanist education', 'Professional life', 'Town physician and pharmacist', 'Mayor of Chemnitz', 'De re metallica', 'Funeral', 'See also', '1959–1967: The Lombardi era and the glory years', "1959: Lombardi's first season", '1960', '1961', '1962', '1965', '1966: the first "AFL-NFL World Championship Game"', "1967: Super Bowl II, and Lombardi's departure", '1968–1991: Post-Lombardi and decline', '1992–2007: Brett Favre era', 'History', 'Geography', 'Environmental leadership', 'Demographics', 'Bibliography', 'Novels', 'Collections', 'Awards', 'References'], ['References', 'Economic history', 'Debt cancellation', 'Overview', 'Design', 'HyperTalk', 'Externals', 'History', 'Development', 'Launch', 'HyperCard 2.0', 'HyperCard 3.0', 'Applications', 'Philosophy', 'Logos', 'Hepesthai to koino "follow the common"', 'Fire', 'Unity of opposites', 'Athánatoi thnetoí, thnetoì athántatoi, "Mortals are immortal, immortals mortal"', 'Dike eris, "strife is justice"', 'War', 'Harmony', 'The One and the Many', 'Design and construction', 'First voyage (1826–1830)', 'Second voyage (1831–1836)', 'Third voyage (1837–1843)', 'Final years', 'Possible resting place', 'Replica', 'See also', 'Notes', 'Pentecostal movement', 'See also', 'Notes', 'References', 'Further reading'], ['Early life', 'Marriage and children', 'Military career', 'First World War', 'Inter-war years', 'Second World War', 'Governor General of Canada', 'British Minister of Defence', 'Retirement', 'Ethnic groups', 'Religions', 'Geographic Population Distribution', 'Languages', 'Literacy', 'See also', 'Notes', 'References'], ['Christian Petersen Art Museum', 'Anderson Sculpture Garden', 'Sustainability', 'Student life', 'Residence halls', 'Student government', 'Student organizations', 'Music', 'Greek community', 'School newspaper', 'Criminal justice system', 'Education', 'Housing', 'Labor market', 'Discrimination between minority groups', 'Assimilation', 'Religious diversity', 'Labor unions', 'Political', 'Health', 'A', 'B', 'C', 'D', 'E', 'F', 'G', 'I', 'Gallery', 'See also', 'Notes', 'References', 'Citations', 'Sources'], ['Internet', 'Past', 'Future', 'References', 'See also', 'Selected works', 'Legacy', 'See also', 'Notes', 'References', 'Further reading'], ['Beliefs and philosophy', 'Dravya (Substance)', 'Tattva (Reality)', 'Soul and karma', 'Saṃsāra', 'Cosmology', 'God', 'Epistemology', 'Salvation, liberation', 'Compilation albums', 'Tribute albums', 'Singles', 'DVD/Video', 'References', 'Further reading'], ['Life', 'Abernethy biscuit', 'Works', 'In literature', 'Notes', 'Attribution', 'Further reading'], ['Definition and origin', 'History', 'Background', 'Beginnings']]



['Wikipedia: Politics of Eritrea', 'Wikipedia: Ed Wood', 'Wikipedia: Frequency', 'Wikipedia: Friedrich Bessel', 'Wikipedia: Guy de Maupassant', 'Wikipedia: Germanicus', 'Wikipedia: History of St Albans', 'Wikipedia: Politics of the Republic of Ireland', 'Wikipedia: Integer factorization', 'Wikipedia: June 16', 'Wikipedia: John Milton', 'Wikipedia: Judeo-Christian']
[['Digital video production', 'Overview', 'Interlacing', 'Bit rate and BPP', 'Constant bit rate versus variable bit rate', 'Technical overview', 'Properties', 'Interfaces and cables', 'Storage formats', 'Encoding', 'Ukraine', 'Uzbekistan', 'North Macedonia', 'Turkey', 'Eritrea', 'Julian Assange', 'Other foreign policy', 'Domestic political positions', 'Firearms', 'Global warming', 'Albums', 'Songs', 'Radio stations', 'Sports', 'Transportation', 'Aerospace', 'Automobiles', 'Ships', 'Military', 'Other uses', 'Literacy', 'School life expectancy (primary to tertiary education)', 'See also', 'References'], ['Modern reforms', 'Reforms of classical education', 'England in the 19th century', 'Progressive reforms in Europe and the United States', 'Child-study', 'Horace Mann', 'National identity', 'Dewey', 'The administrative progressives', 'Late-20th and early 21st century (United states)', 'Baggage and dormitory', 'Powerhouse', 'South side', 'Island 2', 'Recreation hall', 'Island 3', 'Ferry building', 'Immigration procedures', 'Inspections', 'Medical inspection', 'Friedrich Fröbel', 'Johann Friedrich Herbart', 'John Melchior Bosco', 'Cecil Reddie', 'John Dewey', 'What education is', 'What the school is', 'The subject matter of education', 'The nature of method', 'The school and social progress', 'O', 'P', 'Q', 'R', 'S', 'T', 'U', 'V', 'W', 'X', 'Beliefs', 'Deities', 'Cosmology', 'Kingship', 'Afterlife', 'Atenism', 'Writings', 'Ritual and magical texts', 'Hymns and prayers', 'References', 'Speeches and interviews', 'Further reading'], ['Women and funk', 'See also', 'References', 'Further reading', 'Skáldskaparmál and Háttatal', 'Heimskringla', 'Archaeological record', "Thorwald's Cross", 'Gosforth Cross', 'Ledberg stone', 'Other', 'Theories', 'Modern influence', 'Notes', 'Machine precision and backward error analysis', 'Minimizing the effect of accuracy problems', 'See also', 'Notes', 'References', 'Further reading'], ['Religion', 'People with the surname', 'Locations', 'Other', 'History and distinction from ferrimagnetism', 'Unusual materials', 'Electrically-induced ferromagnetism', 'Explanation', 'Origin of magnetism', 'Exchange interaction', 'Magnetic anisotropy', 'United Nations', 'Relations with Spain', 'Pressure groups', "Gibraltar Women's Association", 'Equality Rights Group GGR', 'Environmental Safety Group', 'Gibraltar Local Disability Movement', 'Voice of Gibraltar Group', 'Integration With Britain Movement', 'See also', 'Biography', 'Significance', 'Legacy', 'Bibliography', 'References', 'Further reading'], ['Diverse', 'Digital Facsimiles', '1996: Super Bowl XXXI champions', '1997: defeat in Super Bowl XXXII', "1998: Holmgren's last season", "1999: Ray Rhodes' one-year tenure", '2000–05: Mike Sherman as head coach', '2006–07: McCarthy arrives, Favre departs', '2008–present: Aaron Rodgers era', '2008: Transition', '2009: Return to the playoffs', '2010: Super Bowl XLV championship', '2010 census', '2000 census', 'Economy', 'Government', 'Education', 'Transportation', 'Airport', 'Bus', 'Recreation', 'Culture', 'Algae', 'Land plants', 'Bryophytes', 'Vascular plants', 'Ferns', 'Lycophytes', 'Seed plants', 'Primary Industries', 'Agriculture, forestry, and fishing', 'Mining and minerals', 'Gold', 'Secondary Industries', 'Manufacturing', 'Energy', 'Tertiary Industries', 'Services', 'Banking and finance', 'Exploits', 'Reception', 'Legacy', 'World Wide Web', 'Similar systems', 'See also', 'References', 'Bibliography'], ['Hodos ano kato, "the way up and the way down"', 'Monism', 'Cycle', 'Relativism', 'The River', 'The Sun', 'God and the Soul', 'God', 'Mysticism', 'Aion esti pais, Eternity is a child', 'Sources and references'], ['Roman', 'Definition', 'History', 'Applications', 'Vibration', 'Electromagnetic radiation', 'Computers', 'Honours', 'Honorary military appointments', 'Honorary degrees', 'Unofficial', 'Honorific eponyms', 'Arms', 'List of works', 'See also', 'Notes', 'Citations', 'Main office holders', 'Constitution', 'President', 'Legislative branch', 'Campus radio', 'Student television', 'Athletics', 'Football', "Men's basketball", "Women's basketball", 'Volleyball', 'Wrestling', 'Notable alumni and faculty', 'See also', 'Crime', 'Crimmigration', 'Science and engineering', 'Lobbying', 'Public opinion', 'Religious responses', 'Legal issues', 'Laws concerning immigration and naturalization', 'Asylum for refugees', 'Miscellaneous documented immigration', 'L', 'M', 'P', 'Q', 'R', 'S', 'T', 'U', 'V', 'Z', 'Prime decomposition', 'Current state of the art', 'Difficulty and complexity', 'Factoring algorithms', 'Special-purpose', 'General-purpose', 'Roadways', 'Railways', 'Plans', 'Timeline', 'Pipelines', 'Ports and harbors', 'Merchant marine', 'Airports', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['Main principles', 'Non-violence (ahimsa)', 'Many-sided reality (anekāntavāda)', 'Non-attachment (aparigraha)', 'Jain ethics and five vows', 'Practices', 'Asceticism and monasticism', 'Food and fasting', 'Meditation', 'Rituals and worship', 'Biography', 'Early life', 'Study, poetry, and travel', 'Civil war, prose tracts, and marriage', 'Secretary for Foreign Tongues', 'The Restoration', 'History', 'Inter-group relations', 'Jewish responses', 'First unit', 'Leyte Gulf: the first attacks', 'Main wave of attacks', 'Allied defensive tactics', 'Final phase', 'Effects', 'Recruitment', 'Training', 'Cultural background', 'Film']]



['Wikipedia: BIND', 'Wikipedia: Euglenozoa', 'Wikipedia: ELIZA', 'Wikipedia: Final Fantasy', 'Wikipedia: First Epistle to the Corinthians', 'Wikipedia: Francesco Cossiga', 'Wikipedia: Economy of Gibraltar', 'Wikipedia: Gavoi', 'Wikipedia: Telecommunications in Haiti', 'Wikipedia: Histology', 'Wikipedia: Heroic couplet', 'Wikipedia: Henry Moseley', 'Wikipedia: Induction', 'Wikipedia: International Criminal Tribunal for the former Yugoslavia', 'Wikipedia: June 15', 'Wikipedia: Jacques Maroger', 'Wikipedia: KDE']
[['Tapes', 'Discs', 'See also', 'Notes', 'References'], ['Healthcare', 'Immigration', 'LGBT issues', 'Cannabis', 'Patent reform', 'Space', 'Tax reform', 'Personal life', 'Electoral history', 'See also', 'See also', 'Structure', 'Classification', 'Executive branch', 'Legislative branch', 'Political parties and elections', 'Eritrean opposition groups in exile', 'Regional issues', 'Judicial branch', 'Court Structure', 'Civil Court', 'Reforms arising from the civil rights era', '1980s', '1990s and 2000s', 'Obama Administration (2008-2015)', 'Trump Administration (2016-Present)', 'Modernizing the Education System', 'Higher education', 'Strengths-based education', 'Career and Technical Education', 'Contemporary issues (United States)', 'Primary inspection', 'Mass detentions and deportations', 'Eugenic influence', 'Leadership', 'Name-change myth', 'Current use', 'Museum and Wall of Honor', 'Cultural impact', 'Commemorations', 'Historical designations', 'Helen Parkhurst', 'Rudolf Steiner', 'Maria Montessori', 'Robert Baden-Powell', 'Comparison with traditional education', '21st century skills', 'In the West', 'France', 'Germany', 'Poland', 'Y', 'Z', 'See also', 'References'], ['Funerary texts', 'Practices', 'Temples', 'Official rituals and festivals', 'Animal cults', 'Oracles', 'Popular religion', 'Magic', 'Funerary practices', 'History', 'Early years', 'Military service', 'Career', 'Directing and screenwriting', 'Glen or Glenda', 'Jail Bait', 'Bride of the Monster', 'Plan 9 from Outer Space', 'The Violent Years', 'Definitions', 'Units', 'Period versus frequency', 'Related types of frequency', 'In wave propagation', 'Measurement', 'Counting', 'Stroboscope', 'Frequency counter', 'References'], ['Media', 'Authorship', 'Composition', 'Structure', 'Content', 'Commentaries', 'See also', 'Life and family', 'Work', 'Publications', 'See also', 'References', 'Further reading'], ['Magnetic domains', 'Magnetized materials', 'Curie temperature', 'See also', 'References'], ['References'], ['Shipping', 'Short stories', 'Novels', 'Short-story collections', 'Travel writing', 'Poetry', 'References', 'Further reading'], ['Name', 'Family and early life', 'Career', 'Batonian War', 'Interim', 'Commander of Germania', 'First campaign against the Germanic tribes', 'Second campaign against the Germanic tribes', '2011: 15–1 season', '2012', '2013: injury to Rodgers', '2014', '2015', '2016', '2017 and 2018', 'Community ownership', 'Board of directors', 'Green Bay Packers Foundation', 'Notable people', 'US Representatives', 'Entertainment', 'Sports', 'Other', 'Sister cities', 'References'], ['Heteromorphy', 'See also', 'References', 'Further reading', 'Tourism', 'Macro-Economic', 'See also', 'Footnotes', 'References'], [' and further reading', 'Biological tissues', 'Animal tissue classification', 'Plant tissue classification', 'Medical histology', 'The Soul', 'Ethos anthropoi daimon, "Man\'s character is [his] fate"', 'The senses', 'Influence', 'Ancient', 'Cratylus', 'Parmenides', 'Pluralists', 'Plato', 'Pyrrhonists', 'Early Christianity', 'Modern', 'Early Modern', 'Eighteenth century', 'Nineteenth century', 'Twentieth century', 'Twenty-first century', 'References', 'Bibliography'], ['See also', 'Notes and references'], ['References'], ['Biography', 'Dáil Éireann', 'Seanad Éireann', 'Executive branch', 'Judicial branch', 'Public sector', 'Civil service', 'Public service', 'Local government', 'Political parties', 'Party details', 'Notes and references'], ['Philosophy', 'Illegal immigration', 'Military immigration', 'Treatment as civil proceedings', 'Detention policy', 'Immigration in popular culture', 'Immigration in literature', 'Documentary films', 'Overall approach to regulation', 'See also', 'Footnotes', 'See also', 'References', 'History', 'Other notable algorithms', 'Heuristic running time', 'Rigorous running time', 'Schnorr–Seysen–Lenstra Algorithm', 'Expected running time', 'See also', 'Notes', 'References'], ['Airports - with paved runways', 'Airports - with unpaved runways', 'Heliports (2016)', 'Maps', 'See also', 'References'], ['Events', 'Births', 'Deaths', 'Festivals', 'Traditions and sects', 'Scriptures and texts', 'Comparison with Buddhism and Hinduism', 'Art and architecture', 'Temples', 'Pilgrimages', 'Statues and sculptures', 'Symbols', 'History', 'Death', 'Family', 'Poetry', 'Paradise Lost', 'Views', 'Philosophy', 'Political thought', 'Theology', 'Religious toleration', 'Divorce', 'See also', 'References', 'Further reading'], ['See also', 'References', 'Notes', 'Bibliography', 'Further reading'], []]



['Wikipedia: DARPA', 'Wikipedia: Epistemology', 'Wikipedia: List of Scots', 'Wikipedia: FSB', 'Wikipedia: Gheorghe Hagi', 'Wikipedia: Gallipoli', 'Wikipedia: Gusana', 'Wikipedia: Head end', 'Wikipedia: International Astronomical Union', 'Wikipedia: Imperial units', 'Wikipedia: Foreign relations of Jordan', 'Wikipedia: Judit Polgár']
[['Key features', 'Database support', 'Security', 'History', 'See also', 'References', 'Further reading', 'References'], ['Mission', 'Phylogeny', 'Taxonomy', 'References'], ['Military Court', 'Special Court', 'Discrepancies Within the Judicial System', 'Administrative divisions', 'Foreign relations', 'References'], ['Overview', 'Funding levels', 'Alternatives to public education', 'School choice', 'Teacher tenure', 'Barriers to reform', 'Internationally', 'Education for All', 'Thailand', 'Motivations', 'See also', 'References', 'Notes', 'Citations', 'Sources', 'Further reading', 'Videos', 'Other archives', "Children's books"], ['Ireland', 'Spain', 'Sweden', 'United Kingdom', 'United States', 'Early practitioners', 'In the East', 'India', 'Japan', 'Korea', 'Overview', 'Design', 'In popular culture', 'Response and legacy', 'See also', 'Notes', 'References'], ['Predynastic and Early Dynastic periods', 'Old and Middle Kingdoms', 'New Kingdom', 'Later periods', 'Legacy', 'Modern times', 'See also', 'References', 'Bibliography', 'Further reading', 'Final Curtain', 'Night of the Ghouls', 'The Sinister Urge', 'Orgy of the Dead', 'Necromania', 'Books and novels', 'Personal life', 'Relationships and marriages', 'Cross-dressing', 'Death', 'Heterodyne methods', 'Examples', 'Light', 'Sound', 'Line current', 'See also', 'References', 'Further reading'], ['Games', 'Main series', 'Remakes, sequels and spin-offs', 'Other media', 'Film and television', 'Common elements', 'Plot and themes', 'Characters', 'Gameplay', 'Development and history', 'References', 'Further reading'], ['Organizations', 'Banking and finance', 'Computing', 'Early life', 'Beginnings of his political career', 'Minister of the Interior', '1977 protests and riots', 'Kidnapping of Aldo Moro', 'Prime Minister of Italy', 'Bologna massacre', 'Bunkering', 'Finance', 'Tourism', 'Manufacturing', 'Internet business', 'Defence spending', 'Economy in detail', 'Interaction with the nearby area', 'Taxation', 'Various economic indicators by national origin', 'Club career', 'International career', 'Career as coach', 'Romania national team', 'Bursaspor', 'Third campaign against the Germanic tribes', 'Result', 'Recall', 'Command in Asia', 'Egypt', 'Post mortem', 'Trial of Piso', 'Literary activity', 'Historiography', 'Publius Cornelius Tacitus', 'Fan base', 'Branding', 'Nickname', 'Team colors', 'Logo', 'Uniform variation', 'Stadium history', 'Statistics and records', 'Season-by-season results', 'Records', 'History', 'Antiquity and Middle Ages', 'Ottoman era', 'Ottoman conquest', 'Crimean War (1853–1856)', 'History', 'Main sights', 'Economy', 'Traditions and culture', 'References', 'Internet Access', 'Pricing', 'Internet censorship and surveillance', 'Radio and television', 'Telephones', 'Internet', 'See also', 'Occupations', 'Sample preparation', 'Fixation', 'Selection and trimming', 'Embedding', 'Paraffin wax', 'Other materials', 'Sectioning', 'Staining', 'Light microscopy', 'Stoics', 'Hymn to Zeus', 'Church Fathers', 'Refutation of All Heresies', 'First Apology', 'Modern', 'French philosophy', 'German philosophy', 'British philosophy', 'Jungian psychology', 'See also', 'Example', 'History', 'Variations', 'Alexandrine', 'Alexandrine and Triplet', 'Modern use', 'References', 'Scientific work', 'Contribution to understanding of the atom', 'Use of X-ray spectrometer', 'Death and aftermath', 'Notes', 'References', 'Further reading'], ['Party representation', 'Foreign relations', 'Military neutrality', 'International organisation participation', 'Northern Ireland', 'North/South Ministerial Council', 'See also', 'Further reading', 'Notes', 'References', 'Biology and chemistry', 'Computing and mathematics', 'Physics', 'Other uses', 'See also', 'Further reading', 'Surveys', 'Before 1920', 'Recent: post 1965'], ['Immigration policy', 'Current immigration', 'Economic impact', 'Creation', 'Implementation', 'Operation', 'Accomplishments', 'Closure', 'Organization', 'Prosecutors', 'Chambers', 'Judges', 'Registry', 'Implementation', "Apothecaries' units", 'Units', 'Length', 'Bilateral relations', 'See also', 'References'], ['Holidays and observances', 'References'], ['Ancient', 'Medieval', 'Colonial era', 'Modern era', 'See also', 'Notes', 'References', 'Citations', 'Sources', 'History', 'Legacy and influence', 'Early reception of the poetry', 'Blake', 'Romantic theory', 'Later legacy', 'Literary legacy', 'Musical settings', 'Works', 'Poetry and drama', 'Training and early career', 'Critics of Maroger', 'Lost old master formulas by Maroger', 'Six formulas of Maroger taken from his book on painting formulas', 'Home and Studio', 'References'], ['Overview', 'KDE Projects', 'KDE Plasma', 'KDE Frameworks', 'Kirigami', 'Bindings', 'History']]



['Wikipedia: Djbdns', 'Wikipedia: Economy of Eritrea', 'Wikipedia: Euripides', 'Wikipedia: Electronic musical instrument', 'Wikipedia: ELIZA effect', 'Wikipedia: Educational psychology', 'Wikipedia: Film festival', 'Wikipedia: Fermi paradox', 'Wikipedia: Communications in Gibraltar', 'Wikipedia: Transport in Haiti', 'Wikipedia: Hitachi 6309', 'Wikipedia: Höðr', 'Wikipedia: Prince Harry, Duke of Sussex', 'Wikipedia: Telecommunications in the Republic of Ireland', 'Wikipedia: Image and Scanner Interface Specification', 'Wikipedia: Juan de Nova Island', 'Wikipedia: Joanna Russ', 'Wikipedia: Joris Ivens', 'Wikipedia: Joseph Greenberg']
[[], ['Components', 'Servers', 'History', 'Early history (1958–1969)', 'Later history (1970–1980)', 'Recent history (1981–present)', 'Organization', 'Current program offices', 'Former offices', 'Projects', 'Active projects', 'Past or transitioned projects', 'Background', 'Etymology', 'History of epistemology', 'Central concepts in epistemology', 'Knowledge', 'A priori and a posteriori knowledge', 'Belief', 'Truth', 'Justification', 'Economic history', 'Gross domestic product (GDP)', 'Industries', 'Agriculture, Forestry, and Fishing', 'Animal husbandry', 'Mining and minerals', 'Strategies', 'Evidence-based education', 'Digital education', 'See also', 'References', 'Sources', 'Further reading'], ['Images', 'Life', 'A fabled life', 'See also', 'References', 'Further reading', 'International', 'Historiography', 'Overview', 'Origin', 'See also'], ['History', 'Early years', 'Legacy and homages', 'In popular culture', 'Documentaries', 'Lost films', 'Collaborations', 'Actors', 'See also', 'References', 'Further reading'], ['History', 'Festival administration', 'Business model', 'Entry fee', 'Origin', 'Design', 'Graphics and technology', 'Music', 'Reception', 'Rankings and aggregators', 'Legacy', 'See also', 'Notes', 'References', 'Actors', 'Architects and master masons', 'Artists', 'Businesspersons', 'Composers', 'Criminals', 'Economists', 'Engineers and inventors', 'Explorers', 'Military', 'Schools', 'Other', 'History', 'Resignation', 'President of Italy', '"Pickaxe-wielder" president', 'Revelation of Gladio and resignation', 'After the presidency', 'Death', 'Controversies', 'Honours and awards', 'References'], ['References'], ['Telecommunications', 'Galatasaray', 'Politehnica Timișoara', 'FCSB', 'Galatasaray return', 'Viitorul Constanța', 'Style of play', 'Personal life', 'Career statistics', 'Club', 'International', 'Suetonius Tranquillus', 'Legacy', 'Ancestry', 'Footnotes', 'References', 'Bibliography', 'Primary sources', 'Secondary sources'], ['Playoff record', 'Championships', 'League Championships', 'NFL Championship by standings', 'Pre-Super Bowl NFL Championships', 'Super Bowl Championships', 'NFC Championships', 'Division Championships', 'Notable players', 'Current roster', 'First Balkan War, persecution of Greeks (1912–1913)', 'World War I: Gallipoli Campaign, persecution of Greeks (1914–1919)', 'Greco-Turkish War (1919–1922)', 'Turkish Republic', 'Notable people', 'References'], ['All articles lacking sources', 'All stub articles', 'Articles lacking sources from December 2009', 'Articles using infobox body of water without alt', 'Articles using infobox body of water without image bathymetry', 'Articles using infobox body of water without pushpin map', 'Coordinates on Wikidata', 'References', 'Bibliography'], ['Historadiography', 'Immunohistochemistry', 'Electron microscopy', 'Specialized techniques', 'Cryosectioning', 'Ultramicrotomy', 'Artifacts', 'History', 'Future directions', 'In vivo histology', 'Depictions in art', 'Italian', 'German', 'Dutch', 'Flemish', 'French', 'Spanish', 'See also', 'Notes', 'References', 'Programming model', 'Differences from the Motorola 6809', 'Process technology', 'Clock speed', 'Computational efficiency', 'Name', 'The Prose Edda', 'The Poetic Edda', 'Skaldic poetry', 'Gesta Danorum', 'Chronicon Lethrense and Annales Lundenses', 'Early life', 'Education', 'Military career', 'Sandhurst; Blues and Royals; deployment to Afghanistan', 'Army Air Corps and second deployment to Afghanistan'], ['Regulation', 'Infrastructure', 'History', 'Composition', 'List of national members', 'Africa', 'Asia', 'Europe', 'North America', 'Oceania', 'Functions', 'See also'], ['Detention facilities', 'Indictees', 'Criticism', 'Response to criticism', 'See also', 'References', 'Further reading'], ['Area', 'Volume', "British apothecaries' volume measures", 'Mass and weight', 'Natural equivalents', 'Relation to other systems', 'Current use', 'United Kingdom', 'India', 'Hong Kong', 'Description', 'History', 'Wrecks', 'Geology', 'Important Bird Area', 'Early life', 'Career', 'Child prodigy', 'Grandmaster', 'Kasparov touch-move controversy', 'Strongest female player ever', 'Making history', 'Return to competition', 'Playing style', 'Chess professional', 'Background', 'Science fiction and other writing', 'Reputation and legacy', 'Criticism', 'Prose', 'Notes', 'References', 'Sources'], ['Life', 'Early life and education', 'Career', 'Contributions to linguistics', 'Linguistic typology', 'KDE Applications', 'Extragear', 'KDE neon', 'WikiToLearn', 'Contributors', 'Development', 'The Core Team', 'Other groups', 'KDE Patrons', 'Community structure']]



['Wikipedia: Dylan (programming language)', 'Wikipedia: Dunstan', 'Wikipedia: Ellensburg, Washington', 'Wikipedia: Exponentiation by squaring', 'Wikipedia: EDIF', 'Wikipedia: Fatty acid', 'Wikipedia: Lockheed Martin F-35 Lightning II', 'Wikipedia: Giulio Alberoni', 'Wikipedia: Gram stain', 'Wikipedia: Grazia Deledda', 'Wikipedia: Henry VII', 'Wikipedia: Harrison Schmitt', 'Wikipedia: Hominy', 'Wikipedia: Herat', 'Wikipedia: Ivo Caprino', 'Wikipedia: ISO 216', 'Wikipedia: Johannes Kepler', 'Wikipedia: July 14']
[['Client tools', 'Design', 'Copyright status', 'See also', 'References'], ['Notable fiction', 'References', 'Further reading'], ['Internalism and externalism', 'Defining knowledge', 'The Gettier problem', '"No false premises" response', 'Reliabilist response', 'Infallibilist response', 'Indefeasibility condition', 'Tracking condition', 'Knowledge-first response', 'Causal theory and naturalized epistemology', 'Industry and Manufacturing', 'Energy', 'Services', 'Tourism', 'Banking and Finance', 'Labor force', 'Currency, exchange rate, and inflation', 'Government Budget', 'Foreign economic relations', 'See also', 'History', 'Arts and culture', 'Events', 'Geography', 'Climate', 'A comic life', "A tragedian's life", 'Work', 'In Greek', 'Reception', 'Texts', 'Transmission', 'Chronology', 'Extant plays', 'Lost and fragmentary plays', 'Early examples', 'Telharmonium', 'Theremin', 'Ondes Martenot', 'Trautonium', 'Hammond organ and Novachord', 'Analogue synthesis 1950–1980', 'Modular synthesizers', 'Notes', 'References', 'Basic method', 'Plato and Aristotle', 'John Locke', 'Before 1890', 'Juan Vives', 'Johann Pestalozzi', 'Johann Herbart', '1890–1920', 'William James (1842–1910)', 'Alfred Binet', 'Edward Thorndike', 'Syntax', 'Versions', 'EDIF 2 0 0', 'Screening out of competition', 'Notable festivals', 'Competitive feature films', 'Experimental films', 'Independent films', 'Subject specific films', 'North american film festivals', 'Latin American', 'The Caribbean', 'Animation'], ['History', 'Types of fatty acids', 'Monarchs and royalty', 'Musicians', 'Philosophers', 'Physicians and medical professionals', 'Rulers and politicians', 'Scientists', 'Sportspeople', 'Television and radio personalities', 'Theologians, pastors and missionaries', 'Writers', 'Original conversation(s)', 'Basis', 'Drake equation', 'Great Filter', 'Empirical evidence', 'Electromagnetic emissions', 'Direct planetary observation', 'Conjectures about interstellar probes', 'Searches for stellar-scale artifacts', 'Hypothetical explanations for the paradox', 'Development', 'Program origins', 'JSF competition', 'History', 'Infrastructure', 'Numbering plan', 'Telecom dispute', 'Fixed line services', 'Mobile network', 'Broadcasting', 'Television', 'Radio', 'Amateur radio', 'International goals', 'Managerial statistics', 'Honours', 'Player', 'Manager', 'Individual', 'See also', 'Notes', 'References'], ['Early years', 'Middle years', 'Later years', 'Death and legacy', 'Pro Football Hall of Fame members', 'Wisconsin Athletic Hall of Fame', 'Retired numbers', 'Notable coaches', 'Current staff', 'Head coaches', 'Media', 'Radio', 'Television', 'In popular culture', 'History', 'Uses', 'Medical', 'Staining mechanism', 'Examples', 'Gram-positive bacteria', 'Lakes of Sardinia', 'Sardinia geography stubs', 'Biography', 'Roads', 'Statistics', 'Public transportation', 'Water transport', 'Ports and harbors', 'History', 'Aviation', 'Railroads', 'References'], ['Notes', 'References', 'All article disambiguation pages', 'Further reading', 'Editions and translations', 'Selected bibliography'], ['Additional registers', 'Additional instructions', 'Additional hardware features', 'References'], ["Rydberg's theories", 'Notes', 'Explanatory footnotes', 'References'], ['HQ London District and Invictus Games', 'Secondment to Australian Defence Force and end of active service', 'Post-active service', 'Personal life', 'Bachelorhood', 'Marriage and fatherhood', 'Wealth and inheritance', 'Public life', 'Civic and philanthropic work', 'Sentebale', 'Telephone system', 'History', 'Internet', 'Radio and television', 'See also', 'References'], ['South America', 'Terminated national members', 'General Assemblies', 'List of the Presidents of the IAU', 'Commission 46: Education in astronomy', 'Publications', 'See also', 'References'], ['Early career', 'The Pinchcliffe Grand Prix', 'Later career', 'Personal life', 'Filmography', 'Dimensions of A, B and C series', 'History', 'Advantages', 'Properties of the 3 ISO-series', 'A series', 'Canada', 'Australia', 'New Zealand', 'Ireland', 'Other countries', 'See also', 'Notes', 'References'], ['Climate', 'References', 'Early years', 'Personal life', 'Notable games', 'The Judit Polgar Chess Foundation', 'Books', 'References', 'Literature'], ['Lesbianism', 'Health problems', 'Selected works', 'Notes', 'References'], ['Early life and career', 'U.S. and World War II-era career', 'Return to Europe', 'Filmography', 'References', 'Further reading'], ['Mass comparison', 'Genetic classification of languages', 'Languages of Africa', 'The languages of New Guinea, Tasmania, and the Andaman Islands', 'The languages of the Americas', 'The languages of northern Eurasia', 'Selected works by Joseph H. Greenberg', 'Books', 'Books (editor)', 'Articles, reviews, etc.', 'Mascot', 'Konqi', 'Katie', 'Other dragons', 'Organization', 'Local communities', 'Communication', 'Identity', 'Collaborations with other organizations', 'Wikimedia']]



['Wikipedia: Telecommunications in Eritrea', 'Wikipedia: Emily Brontë', 'Wikipedia: List of South Africans', 'Wikipedia: Gordon Banks', 'Wikipedia: Gil Álvarez Carrillo de Albornoz', 'Wikipedia: General-purpose machine gun', 'Wikipedia: Gram-positive bacteria', 'Wikipedia: Heard Island and McDonald Islands', 'Wikipedia: Herodotus', 'Wikipedia: Transport in Ireland', 'Wikipedia: Interval', 'Wikipedia: Intel 80286', 'Wikipedia: Incompatible-properties argument', 'Wikipedia: January 22', 'Wikipedia: Jaguar', 'Wikipedia: Jan van Goyen']
[['History', 'Syntax', 'Lexical syntax', 'Example code', 'Modules vs. namespace', 'Classes', 'Methods and generic functions', 'Early life (909–43)', 'Birth', "School to the king's court", 'Monk and abbot (943–957)', 'Life as a monk', 'Abbot of Glastonbury', 'Changes in fortune', 'Bishop and archbishop (957–978)', 'Bishop of Worcester and of London', 'The value problem', 'Virtue epistemology', 'Acquiring knowledge', 'Sources of knowledge', 'Perception', 'Reason and intuition', 'Memory', 'Testimony', 'Important distinctions', 'A priori–a posteriori distinction', 'References'], ['Infrastructure', 'Demographics', '2010 census', '2000 census', 'Politics and government', 'Media', 'Education', 'Higher education', 'Public schools', 'Notable people', 'References', 'Notes', 'References', 'Further reading'], ['Integrated synthesizers', 'Polyphony', 'Tape recording', 'Sound sequencer', 'Digital era 1980–2000', 'Digital synthesis', 'Sampling', 'Computer music', 'MIDI', 'Modern electronic musical instruments', 'Computational complexity', '2k-ary method', 'Sliding-window method', "Montgomery's ladder technique", 'Fixed-base exponent', "Yao's method", 'Euclidean method', 'Further applications', 'Example implementations', 'Computation by powers of 2', 'John Dewey', 'Jean Piaget', '1920–present', 'Jerome Bruner', 'Benjamin Bloom', 'Nathaniel Gage', 'Perspectives', 'Behavioral', 'Cognitive', 'Cognitive view of intelligence', 'EDIF 3 0 0', 'EDIF 4 0 0', 'Evolution', 'Problems with 2 0 0', 'Solutions to EDIF 2 0 0 problems', 'EDIF Descendants'], ['Asian film festivals', 'India', 'Others', 'African festivals', 'European festivals', 'See also', 'References', 'Further reading', 'Length of fatty acids', 'Saturated fatty acids', 'Unsaturated fatty acids', 'Even- vs odd-chained fatty acids', 'Nomenclature', 'Carbon atom numbering', 'Naming of fatty acids', 'Free fatty acids', 'Production', 'Industrial', 'Other notable people', 'See also', 'References', 'Rarity of intelligent life', 'Extraterrestrial life is rare or non-existent', 'Extraterrestrial intelligence is rare or non-existent', 'Periodic extinction by natural events', 'Evolutionary explanations', 'It is the nature of intelligent life to destroy itself', 'It is the nature of intelligent life to destroy others', "Intelligent alien species haven't developed advanced technologies", 'Civilizations only broadcast detectable signals for a brief period of time', 'Alien life may be too alien', 'Design and production', 'Upgrades and further development', 'Procurement and international participation', 'Design', 'Overview', 'Sensors and avionics', 'Stealth and signatures', 'Cockpit', 'Armament', 'Engine', 'Internet', 'Printed media', 'Newspapers', 'Magazines', 'Online Media', 'See also', 'References'], ['Early life', 'Club career', 'Chesterfield', 'References and sources', 'Biography', 'Early years', 'References'], ['History', 'Gram-negative bacteria', 'Gram-variable and Gram-indeterminate bacteria', 'Orthographic note', 'See also', 'References'], ['Accolades', 'Work', 'Complete list of works', 'See also', 'References', 'Bibliography', 'Voice recording'], ['Geography', 'Wetlands', 'Climate', 'All disambiguation pages', 'Disambiguation pages with short descriptions', 'Human name disambiguation pages', 'Short description is different from Wikidata', 'Biography', 'Early life and education', 'NASA career', '1976 Senate campaign', 'Senate career', '1982 Senate campaign', 'Post-Senate career', 'Views on global warming', 'In popular culture', 'History', 'Production', 'Recipes', 'See also', 'References', 'History', 'Islamization', '“Pearl of Khorasan”', 'Modern history', 'Geography', 'Climate', 'Places of interest', 'Demography', 'Sport', 'The Royal Foundation', 'HIV/AIDS', 'Natural environment and climate change', 'Titles, styles, honours and arms', 'Titles and styles', 'Military ranks', 'Honours', 'Appointments', 'Honorary military appointments', 'Railways', 'Road transport', 'Roads and cars in Ireland', 'Bus services', 'Modal share', 'Waterways', 'Mathematics and physics', 'Arts and entertainment', 'Dramatic arts', 'Music', 'See also', 'References'], ['B series', 'C series', 'Tolerances', 'Application', 'Matching technical pen widths', 'See also', 'References'], ['Evil vs. good and omnipotence', 'Purpose vs. timelessness', 'Omniscience vs. indeterminacy or free will', 'Simplicity vs. omniscience', 'Graz (1594–1600)', 'Mysterium Cosmographicum', 'Marriage to Barbara Müller', 'Other research', 'Prague (1600–1612)', 'Work for Tycho Brahe', 'Advisor to Emperor Rudolph II', 'Astronomiae Pars Optica', 'Supernova of 1604', 'Astronomia nova', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['Events', 'pre-20th century', 'post-19th century', 'Births', 'pre-19th century', '19th century', '1901–1920', 'Etymology', 'Taxonomy', 'Evolution', 'Characteristics', 'Bibliography', 'See also', 'References'], ['Free Software Foundation Europe', 'Commercial enterprises', 'Others', 'Activities', 'Akademy', 'Akademy-es', 'Camp KDE', 'SoK (Season of KDE)', 'Other community events', 'Origins']]



['Wikipedia: Dublin Core', 'Wikipedia: Eugene, Oregon', 'Wikipedia: Essential tremor', 'Wikipedia: History of film', 'Wikipedia: Transport in Gibraltar', 'Wikipedia: Gdynia', 'Wikipedia: Glenn T. Seaborg', 'Wikipedia: Hilaire Rouelle', 'Wikipedia: W. Heath Robinson', 'Wikipedia: International Criminal Court', 'Wikipedia: ISO 3864', 'Wikipedia: International Society of Olympic Historians', 'Wikipedia: Jean-Jacques Rousseau', 'Wikipedia: Konrad Adenauer']
[['Extensibility', 'Apple Dylan', 'References'], ['Archbishop of Canterbury', 'Final years (978–88)', 'Legacy', 'Shrines', 'Patronage and feast day', 'In literature', 'An East London saint', 'Church dedications', 'Charity', 'Schools', 'Analytic–synthetic distinction', 'Science as knowledge acquisition', 'The regress problem', 'Responses to the regress problem', 'Foundationalism', 'Coherentism', 'Infinitism', 'Foundherentism', 'Philosophical skepticism', 'Pyrrhonism', 'Telephone', 'Radio and television', 'Internet', 'Internet censorship and surveillance', 'See also', 'References'], ['Further reading'], ['History', 'Early life and loss', 'Adulthood', 'Personality and character', 'Wuthering Heights', 'Death', 'Legacy', 'See also', 'References', 'Further reading', 'Reactable', 'Percussa AudioCubes', 'Kaossilator', 'Eigenharp', 'XTH Sense', 'AlphaSphere', 'Chip music', 'DIY culture', 'Circuit bending', '2010s', 'Runtime example: compute 310', 'Calculation of products of powers', 'Example', 'Using transformation', 'Examples', 'Signed-digit recoding', 'Alternatives and generalizations', 'See also', 'Notes', 'References', 'Developmental', 'Constructivist', "Jean Piaget's Cognitive Development", 'Conditioning and learning', 'Motivation', 'Technology', 'Applications', 'Teaching', 'Counseling', 'Training', 'Signs and symptoms', 'Cause', 'Genetic', 'Toxins', 'Pathophysiology', 'Diagnosis', 'Precursors', 'Early period', 'Narrative predecessors', 'Early Silent era', 'Birth of movies', 'Hyper-oxygenated fatty acids', 'By animals', 'Variation between animal species', 'Fatty acids in dietary fats', 'Reactions of fatty acids', 'Acidity', 'Hydrogenation and hardening', 'Auto-oxidation and rancidity', 'Ozonolysis', 'Circulation', 'Academics', 'Medical and veterinary', 'Scientists', 'Theologians', 'Writers', 'Authors', 'Editors', 'Average Dudes', 'Poets', 'Journalists', 'Sociological explanations', 'Colonization is not the cosmic norm', 'Alien species may have only settled part of the galaxy', 'Alien species may not live on planets', 'Alien species may isolate themselves from the outside world', 'Economic explanations', 'Lack of resources needed to physically spread throughout the galaxy', 'It is cheaper to transfer information than explore physically', 'Discovery of extraterrestrial life is too difficult', "We haven't listened properly", 'Maintenance and logistics', 'Operational history', 'Testing', 'United States', 'United Kingdom', 'Israel', 'Variants', 'Operators', 'Accidents and notable incidents', 'Specifications (F-35A)', 'Road', 'Private transport', 'Public transport', "Bus Fares - Both Operators' Services", 'Taxis', 'Leicester City', 'Stoke City', 'Fort Lauderdale Strikers', 'International career', '1966 World Cup', 'Euro 1968', '1970 World Cup', 'Final years', 'Coaching career', 'Style of play', 'First campaign in Italy', 'Second campaign in Italy', 'Works', 'Further reading', 'See also', 'References'], ['Post-WWII examples', 'Gallery', 'See also', 'References', 'Characteristics', 'Classification', 'Importance of the outer cell membrane in bacterial classification', 'Exceptions', 'Pathogenesis', 'Bacterial transformation', 'Orthographic note', 'Early life', 'Pioneering work in nuclear chemistry', 'Scientific contributions during the Manhattan Project', 'Professor and Chancellor at the University of California, Berkeley', 'Chairman of the Atomic Energy Commission', 'Wildlife', 'Flora', 'Constraints', 'History', 'Flowering plants and ferns', 'Mosses and liverworts', 'Algae', 'Vegetation communities', 'Outlook', 'Fungi', 'Place in history', 'Predecessors', 'Writing style', 'Contemporary and modern critics', 'Life', 'Childhood', 'Early travels', 'Later life', 'Author and orator', 'Awards and honors', 'Media', 'See also', 'References'], ['Early life', 'Career', 'Personal life', 'Death and legacy', 'In popular culture', 'Publications', 'Culture', 'Notable people from Herat', 'Economy and infrastructure', 'Transport', 'Air', 'Rail', 'Road', 'Gallery', 'Herat in fiction', 'Sister cities', 'Humanitarian awards', 'Arms', 'Ancestry', 'See also', 'Footnotes', 'References'], ['Pipelines', 'Ports and harbours', 'Mercantile Marine===', 'Aviation', 'Airport passenger numbers', 'Gateway Irish Urban Reference Destination Distances', 'See also', 'Footnotes', 'References'], ['Sport', 'Other uses', 'See also', 'History and performance', 'Architecture', 'Features', 'Protected mode', 'OS support', 'See also', 'References'], ['Colours', 'Related standards', 'See also', 'References', 'See also'], ['History', 'Dioptrice, Somnium manuscript, and other work', 'Work in mathematics and physics', 'Personal and political troubles', 'Linz and elsewhere (1612–1630)', 'Second marriage', 'Epitome of Copernican Astronomy, calendars, and the witch trial of his mother', 'Harmonices Mundi', 'Rudolphine Tables and his last years', 'Christianity', 'Reception of his astronomy', 'Biography', 'Youth', 'Early adulthood', '1921–1930', '1931–1940', '1941–1960', '1961–2000', 'Deaths', '1901–1970', 'post–1970', 'Holidays and observances', 'Christian feast days', 'Others', 'Color variation', 'Distribution and habitat', 'Ecology and behavior', 'Ecological role', 'Hunting and diet', 'Reproduction and life cycle', 'Social activity', 'Attacks on humans', 'Threats', 'Conservation', 'Biography', 'Dutch painting', "Van Goyen's technique", 'Legacy', 'Sources'], ['Brand repositioning', 'Release history', 'Notable uses', 'See also', 'References'], []]



['Wikipedia: Transport in Eritrea', 'Wikipedia: Extinction event', 'Wikipedia: Electrode', 'Wikipedia: Exon', 'Wikipedia: EFTPOS', 'Wikipedia: Finance', 'Wikipedia: Giovanni Aldini', 'Wikipedia: Gram-negative bacteria', 'Wikipedia: Halon', 'Wikipedia: Heraclius', 'Wikipedia: Hedeby', 'Wikipedia: Hail', 'Wikipedia: Foreign relations of Ireland', 'Wikipedia: Ivanhoe', 'Wikipedia: Isaac Abendana', 'Wikipedia: Serie A', 'Wikipedia: Jackson, Michigan', 'Wikipedia: Justin Martyr']
[['Background', 'Levels of the standard', 'Dublin Core Metadata Element Set', 'Encoding examples', 'Example of use [and mention] by WebCite', 'Qualified Dublin Core', 'DCMI Metadata Terms', 'Syntax', 'Notable applications', 'References', 'Notes', 'Citations', 'Sources', 'Further reading', 'Primary sources', 'Secondary sources'], ['Cartesian skepticism', 'Responses to philosophical skepticism', 'Schools of thought in epistemology', 'Empiricism', 'Rationalism', 'Skepticism', 'Pragmatism', 'Naturalized epistemology', 'Feminist epistemology', 'Epistemic relativism', 'Railways', 'Highways', 'Seaports and harbours', 'Red Sea', 'Merchant marine', 'Airports', 'Indigenous presence', 'Settlement and impact', 'Educational institutions', 'Twentieth century', 'History of civil unrest', '1960s: Counterculture and campus protests', '1970s activism', '1990s: Anarchist activity', '21st century unrest', 'Occupy Eugene'], ['Electronic editions', 'Major extinction events', 'See also', 'References'], ['DIY', 'History', 'Contribution to genomes and size distribution', 'Structure and function', 'Employment outlook', 'Methods of research', 'See also', 'References', 'Further reading'], ['Terminology', 'Treatment', 'General measures', 'Oral medications', 'First-line', 'Second-line', 'Third-line', 'Fourth-line', 'Botulinum injection', 'Ultrasound', 'Invention and advancement of cinematography', 'Film editing and continuous narrative', 'Early Animation', 'Feature film', 'Maturation', 'Film business', 'New film producing countries', 'Film technique', 'During World War I', 'Industry', 'Digestion and intake', 'Metabolism', 'Essential fatty acids', 'Distribution', 'Analysis', 'Industrial uses', 'Molecular description', 'See also', 'References'], ['History of Finance', 'The financial system', 'Areas of finance', 'Personal finance', 'Corporate finance', 'Artists', 'Performing artists', 'Actors / Actresses', 'Dancers', 'Playwrights and film directors', 'Singers, musicians and composers', 'Models, socialites and media personalities', 'Visual Artists', 'Cartoonists', 'Painters', "We haven't listened for long enough", 'Intelligent life may be too far away', 'Intelligent life may exist hidden from view', 'Willingness to communicate', 'Everyone is listening but no one is transmitting', 'Communication is dangerous', 'Earth is deliberately not contacted', 'Earth is deliberately isolated (planetarium hypothesis)', 'Alien life is already here unacknowledged', 'See also', 'Differences between variants', 'Appearances in media', 'See also', 'Notes', 'References', 'Bibliography', 'Further reading'], ['Rail', 'Historical', 'Access to the rail system in Spain', 'Access to the rail system in Morocco', 'Sea', 'Air', 'Cable car', 'Dispute with Spain', 'References'], ['Personal life', 'Career statistics', 'Club', 'International', 'Honours', 'Individual', 'Notes', 'References'], ['Experiments', "Shelley's Frankenstein association", 'References', 'Further reading'], ['History', 'Construction of the seaport', 'Construction of the city', 'Gdynia during World War II (1939–1945)', 'After World War II', 'Geography', 'Population and area', 'Climate', 'Districts', 'References'], ['Characteristics', 'Return to California', 'Personal life', 'Honors and awards', 'Selected bibliography', 'Notes', 'References', 'Further reading'], ['Fauna', 'Mammals', 'Birds', 'Terrestrial, freshwater and coastal invertebrates', 'Retreat of Heard Island glaciers', 'Administration and economy', 'See also', 'References', 'Further reading'], ['Reliability', 'Babylon', 'Egypt', 'Scientific reasoning', 'Accusations of bias', 'Use of sources and sense of authority', 'Mode of explanation', 'Types of causality', 'Herodotus and myth', 'See also', 'References', 'See also', 'Notes', 'References'], ['See also', 'References', 'Attribution', 'Bibliography'], ['Definition', 'Formation', 'Layer nature of the hailstones', 'Factors favoring hail', 'Climatology', 'Short-term detection', 'Main relationships', 'China', 'United Kingdom', 'History', 'Towards a permanent international criminal court', 'Opposition to the Court', 'Structure', 'State parties', 'Assembly of States Parties', 'Organs of the Court', 'Presidency', 'Judicial Divisions', 'Office of the Prosecutor', 'Composition and sources', 'Editions', 'Plot introduction', 'Plot summary', 'Opening', 'Notes', 'Journal of Olympic History', 'Membership', 'See also', 'References'], ['Historical and cultural legacy', 'History of science', 'Editions and translations', 'Popular science and historical fiction', 'Veneration and eponymy', 'Works', 'See also', 'References', 'Sources'], ['Return to Paris', 'Return to Geneva', 'Voltaire and Frederick the Great', 'Fugitive', 'Back in Paris', 'In Britain', 'In Grenoble', 'Final years', 'Philosophy', 'Theory of human nature', 'References'], ['History', 'Jaguar Conservation Units', 'Approaches', 'The United States', 'In culture and mythology', 'Pre-Columbian Americas', 'Contemporary culture', 'See also', 'References', 'Bibliography'], ['Life', 'Writings', 'Dialogue with Trypho', 'On The Resurrection', 'Role within the Church', 'Christology', 'The Cologne years', 'Early life and education', 'Leader in Cologne', 'Years under the Nazi government', 'After World War II and the founding of the CDU', 'Chancellor of West Germany', 'First government']]



['Wikipedia: Document Object Model', 'Wikipedia: Deprogramming', 'Wikipedia: Eritrean Defence Forces', 'Wikipedia: Exxon', 'Wikipedia: Fearless (1993 film)', 'Wikipedia: Fundamentalism', 'Wikipedia: Food additive', 'Wikipedia: Glorioso Islands', 'Wikipedia: Ganglion', 'Wikipedia: Girolamo Aleandro', 'Wikipedia: Province of Grosseto', 'Wikipedia: Holy See', 'Wikipedia: Harrisonburg', 'Wikipedia: List of intelligence agencies', 'Wikipedia: John Bardeen', 'Wikipedia: Jeffrey Dahmer']
[['See also', 'Related software', 'References', 'Further reading'], ['Background', 'Procedures', 'Violence', 'Effectiveness and harm', 'Government', 'Epistemic constructivism', 'Epistemic idealism', 'Indian pramana', 'Domains of inquiry in epistemology', 'Social epistemology', 'Peer disagreement', 'Group knowledge', 'Formal epistemology', 'Metaepistemology', 'See also', 'Airports - with paved runways', 'Airports - with unpaved runways', 'Cableway', 'References', 'See also', '2020 George Floyd protests', 'Environmental activism', 'Geography', 'Neighborhoods', 'Climate', 'Air quality and allergies', 'Demographics', '2010 census', '2000 census', 'Economy', 'List of extinction events', 'Evolutionary importance', 'Patterns in frequency', 'Causes', 'Identifying causes of specific mass extinctions', 'Most widely supported explanations', 'Flood basalt events', 'Sea-level falls', 'Impact events', 'Global cooling', 'Anode and cathode in electrochemical cells', 'Primary cell', 'Secondary cell', 'Other anodes and cathodes', 'Welding electrodes', 'Alternating current electrodes', 'Uses', 'Chemically modified electrodes', 'Experimental approaches using exons', 'See also', 'References', 'General references'], ['History', 'First Mobile EFTPOS', 'Australia', 'Debit cards', 'Cash out', 'Cardholder verification', 'Contactless smart card', 'Neuromodulation', 'Prognosis', 'Epidemiology', 'Society and culture', 'Research', 'See also', 'References'], ['New techniques', 'Film art', 'Hollywood triumphant', 'Sound era', 'Creative impact of sound', 'Color in cinema', 'World War II and its aftermath', '1950s', 'Golden age of Asian cinema', '1960s', 'Plot', 'Cast', 'Aesthetic elements', 'Capital', 'Public finance', 'Financial theory', 'Financial economics', 'Financial mathematics', 'Experimental finance', 'Behavioral finance', 'Intangible asset finance', 'See also', 'References', 'Photographers', 'Sculptors', 'Performance Artists', 'Architects', 'Business', 'Legal, police and military', 'Political', 'Activists and trade unionists', 'Apartheid operatives', 'Colonial and Union Governors', 'Notes', 'References', 'Further reading'], ['Numbering', 'Categories', 'Safety and regulation', 'Hyperactivity', 'Micronutrients', 'Archipelago', 'Climate', 'History', 'Structure', 'Basal ganglia', 'Pseudoganglion', 'See also', 'Life', 'Writings', 'In popular culture', 'See also', 'Sights and tourist attractions', 'Culture', 'Cultural references', 'Notable people', 'Sport', 'Fictional characters', 'Sports', 'International events', 'Economy and infrastructure', 'Transport', 'Classification', 'Taxonomy', 'Example species', 'Bacterial transformation', 'Medical treatment', 'Orthographic note', 'See also', 'References', 'Notes'], ['Geography', 'Comuni', 'Frazioni', 'Government', 'List of Presidents of the Province of Grosseto', 'Terminology', 'History', 'Organization', 'Critical editions', 'Translations', 'Notes', 'References', 'Sources', 'Further reading'], ['All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'Early life', 'Origins', 'Revolt against Phocas and accession', 'Byzantine–Sasanian War of 602–628', 'Initial Persian advantage', 'Byzantine counter-offensive and resurgence', 'War against the Arabs', 'Legacy', 'Accomplishments', 'Name', 'History', 'Origins', 'Timeline', 'Rise', 'Lifestyle', 'Destruction', 'Archaeology', 'Size and terminal velocity', 'Hail records', 'Hazards', 'Accumulations', 'Suppression and prevention', 'See also', 'References', 'Further reading'], ['United States', 'Africa', 'Americas', 'Asia', 'Europe', 'Oceania', 'Overview', 'Other entities', 'United Nations', 'Peacekeeping missions', 'Policy Paper', 'Environmental crimes', 'Registry', 'Jurisdiction and admissibility', 'Process', 'Subject-matter jurisdiction requirements', 'Genocide', 'Crimes against humanity', 'War crimes', 'Crimes of aggression', 'The tournament', 'Capture and rescue', "Rebecca's trial and Ivanhoe's reconciliation", 'Characters', 'Chapter summary', 'Volume One', 'Volume Two', 'Volume Three', 'Style', 'Themes', 'Agencies by country', 'Afghanistan', 'Albania', 'Algeria', 'Argentina', 'Armenia', 'History', 'Format', 'Clubs', '2020–21 season', 'Maps', 'Seasons in Serie A', 'Logos', 'Television rights', 'Education and early life', 'Career and research', 'World War II Service', 'Political theory', 'Education and child rearing', 'Religion', 'Legacy', 'General will', 'French Revolution', 'Effect on the American Revolution', 'Criticisms of Rousseau', 'Appreciation and influence', 'Composer', 'Birthplace of the Republican Party – "Under the Oaks"', 'Auto industry', 'Birthplace of the Coney Island hot dog', "Michigan's first state prison (1838–1934)", 'Corset industry (1860s-1920s)', 'Geography', 'Economy', 'Government', 'Education', 'Demographics', 'Early life', 'Childhood', 'Adolescence and high school', 'Memoirs of the apostles', 'Composition', 'Scriptural sources', 'Gospels', 'Apocalypse', 'Letters', 'Testimony sources', '"Kerygma source"', 'Dialogue of Jason and Papiscus', 'Catechetical sources', 'Second government', 'Third government', 'Fourth government', 'Social policies', 'Intelligence services and spying', 'Death and legacy', 'Distinctions', 'National orders', 'Foreign orders', 'Awards']]



['Wikipedia: Esperanto', 'Wikipedia: Epistolary novel', 'Wikipedia: Epistle to the Laodiceans', 'Wikipedia: Book of Enos', 'Wikipedia: Franklin D. Roosevelt', 'Wikipedia: February 17', 'Wikipedia: Fridtjof Nansen', 'Wikipedia: Gulf of Finland', 'Wikipedia: Gottfried Wilhelm Leibniz', 'Wikipedia: Galeazzo Alessi', 'Wikipedia: Greyhound', 'Wikipedia: Gaspard-Gustave de Coriolis', 'Wikipedia: Historian', 'Wikipedia: Hazaras', 'Wikipedia: Hypnotherapy', 'Wikipedia: Khazars']
[['History', 'Standards', 'Applications', 'Web browsers', 'JavaScript', 'Implementations', 'Layout engines', 'Libraries', 'Controversy and related issues', 'Referral and kickback system', 'Victims', 'Exit counseling', 'In popular culture', 'See also', 'References'], ['References', 'Notes', 'Citations', 'Sources'], ['History', 'Manpower', 'National service', 'Branches of the EDF', 'References', 'Further reading'], ['Top employers', 'Arts and culture', 'Community', 'Annual cultural events', 'Museums', 'Performing arts', 'Music', 'Visual arts', 'Film', 'Religion', 'Global warming', 'Clathrate gun hypothesis', 'Anoxic events', 'Hydrogen sulfide emissions from the seas', 'Oceanic overturn', 'A nearby nova, supernova or gamma ray burst', 'Geomagnetic reversal', 'Plate tectonics', 'Other hypotheses', 'Future biosphere extinction/sterilization', 'See also', 'References', 'Early works', 'History', 'Exxon Office Systems', 'Recent years', 'Logo', 'Branding', 'References'], ['Usage', 'Network', 'New Zealand', 'See also', 'References'], ['Narrative', 'See also', 'Notes'], ['1970s', '1980s', '1990s', '2000s', '2010s', 'See also', 'References', 'Further reading'], ['Reception', 'Home media', 'References'], [], ['Events', 'Births', 'Leaders and politicians', 'Prime Ministers and Presidents', 'Provincial Premiers', 'Homelands Leaders', 'Administrators of former provinces', 'Royalty', 'Kings and princes', 'Tribal leaders and prophets', 'Atheists', 'Prelates, clerics and evangelists', 'Buddhism', 'Christianity', 'Hinduism', 'Islam', 'Judaism', 'Non-religious', 'Criticism', 'Controversy', 'See also', 'Standardization of its derived products', 'See also', 'References', 'Additional sources'], ['Gallery', 'See also', 'References', 'References'], ['Biography', 'References', 'Selected works', 'Perugia', 'Port of Gdynia', 'Airport', 'Road transport', 'Railways', 'Education', 'International relations', 'See also', 'References', 'Further reading'], ['Appearance', 'Temperament', 'Pets', 'References'], ['Biography', 'Status in international law', 'Diplomacy', 'Relationship with the Vatican City and other territories', 'Military', 'Coat of arms', 'See also', 'Notes', 'References', 'Further reading'], ['Objectivity', 'History analysis', 'Historiography', 'Ancient', 'Enlightenment', '19th century', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages with short descriptions', 'Place name disambiguation pages', 'Short description is different from Wikidata', 'Recovery of the True Cross', 'Islamic view of Heraclius', 'Family', 'Family tree', 'See also', 'Annotations', 'References', 'Sources', 'Further reading'], ['20th-century excavations', '21st-century reconstructions', 'See also', 'Notes', 'Bibliography and media'], ['Definition', 'History', 'Traditional hypnotherapy', 'Ericksonian hypnotherapy', 'Ireland and the Commonwealth of Nations', 'International organisations', 'Foreign aid', 'Human rights', 'See also', 'References'], ['Offences against the administration of justice', 'Territorial or personal jurisdiction requirements', 'Territorial jurisdiction', 'Personal jurisdiction', 'Temporal jurisdiction requirements', 'Admissibility requirements', 'Complementarity', 'Gravity', 'Interests of justice', 'Individual criminal responsibility', 'Allusions to real history and geography', 'Lasting influence on the Robin Hood legend', 'Historical accuracy', 'Reception', 'Sequels', 'Film, TV or theatrical adaptations', 'Operas', 'Rail line', 'See also', 'References', 'Australia', 'Austria', 'Azerbaijan', 'Bahamas', 'Bahrain', 'Bangladesh', 'Barbados', 'Belarus', 'Belgium', 'Bosnia and Herzegovina', 'Champions', 'By city', 'By region', 'Records', 'Most appearances', 'Most goals', 'Players', 'Non-EU players', 'Homegrown players', 'FIFA World Players of the Year', 'Bell Labs', 'The invention of the transistor', 'University of Illinois at Urbana–Champaign', 'The Nobel Prize in Physics in 1956', 'BCS theory', 'The Nobel Prize in Physics in 1972', 'Other awards', 'Xerox', 'Personal life', 'Death', 'Works', 'Major works', 'Editions in English', 'See also', 'Notes', 'References', 'Bibliography', 'Further reading'], ['2010 census', '2000 census', 'Places of worship', 'Transportation', 'Major highways', 'Airport', 'Public transportation', 'Parks and recreation', 'Notable people', 'Sister cities', 'Late teens and early 20s: first murder', 'Murder of Steven Hicks', 'College and Army service', 'Return to Ohio and relocation to West Allis, Wisconsin', 'Late 20s and early 30s: subsequent murders', 'Ambassador Hotel', 'Intermediate incidents', '924 North 25th Street', '1990 killings', '1991 killings', 'Other sources', 'Prophetic exegesis', 'Belief in prophecy', 'Fulfillment', 'Second Advent and Daniel 7', 'Antichrist', 'Time, times, and a half', 'Eucharist', 'Editions', 'Literary references', 'See also', 'Notes', 'References', 'Bibliography', 'Primary sources'], []]



['Wikipedia: Design pattern', 'Wikipedia: Daily Planet', 'Wikipedia: Foreign relations of Eritrea', 'Wikipedia: E. E. Smith', 'Wikipedia: Exxon Valdez oil spill', 'Wikipedia: Environmental skepticism', 'Wikipedia: Cinema of France', 'Wikipedia: The Pinchcliffe Grand Prix', 'Wikipedia: Show Me Love (film)', 'Wikipedia: Gluon', 'Wikipedia: Géza, Grand Prince of the Hungarians', 'Wikipedia: Honduras', 'Wikipedia: Hammer', 'Wikipedia: Henry the Fowler', 'Wikipedia: Geography of Israel', 'Wikipedia: Isoelectric point', 'Wikipedia: Inhalant', 'Wikipedia: Jewellery', 'Wikipedia: John von Neumann', 'Wikipedia: John Irving', 'Wikipedia: Johann Tetzel']
[['References', 'Sources'], ['Fictional history', 'Golden and Silver Age', 'Post-Crisis', 'Superman: Birthright', 'Post-Infinite Crisis', 'Three goals', 'Esperanto and the Internet', 'Lernu!', 'Wikipedia', 'Online Translate', 'Duolingo', 'History', 'Creation', 'International organizations', 'Bilateral relations', 'See also', 'References', 'Sports', 'Parks and recreation', 'Government', 'Eugene City Council', 'Public safety', 'Politics', 'Education', 'Schools', 'Libraries', 'Media', 'Effects and recovery', 'See also', 'Explanatory notes', 'Citations'], ['Types', 'Notable works', 'Eighteenth century', 'Nineteenth century', 'Twentieth century', 'Twenty-first century', 'Other media', 'See also', 'Footnotes'], ['Spill', 'Clean-up and major effects', 'Litigation and cleanup costs', 'Political consequences and reforms', 'The Colossians 4:16 mention', 'Identification with the Epistle to the Ephesians', 'The Marcionite Epistle to the Laodiceans', 'The Latin Vulgate Epistle to the Laodiceans', 'References'], ['About', 'Criticism', 'See also', 'References', 'History', 'After World War I', 'Post–World War II', '1940s–1970s', 'Early life and marriage', 'Childhood', 'Education and early career', 'Marriage, family, and affairs', 'Early political career (1910–1920)', 'New York state senator (1910–1913)', 'Assistant Secretary of the Navy (1913–1919)', 'Campaign for Vice President (1920)', 'Paralytic illness and political comeback (1921–1928)', 'Deaths', 'Holidays and observances', 'References'], ['Sport', 'Conservationists', 'Travelers, adventurers and pioneers', 'Criminals', 'Other', 'See also', 'References', 'References', 'Sources'], ['Family background and childhood', 'Student and adventurer', 'Crossing of Greenland', 'Planning', 'Expedition', 'Interlude and marriage', 'Fram expedition', 'Preparations', 'Geography', 'Extent', 'Geological history', 'Flora and fauna', 'History', 'Before 1700', 'History since 1700', 'Economy', 'Archaeology', 'Pollution', 'Early life', '1666–1676', 'House of Hanover, 1676–1716', 'Death', 'Personal life', 'Philosopher', 'Monads', 'Theodicy and optimism', 'Discourse on Metaphysics', 'Assisi', 'Genoa', 'Milan', 'Sacro Monte di Varallo (Vercelli)', 'Rome', 'References'], ['Properties', 'Counting gluons', 'Color singlet states', 'Abilities', 'Coursing', 'Racing', 'Companion', 'Health and physiology', 'History', 'Origins', 'Etymology', 'See also', 'References', 'References', 'Further reading'], ['History', 'Pre-colonial period', 'Spanish conquest (1524–1539)', 'Professionalization in Germany', '20th century', 'Education and profession', 'See also', 'Notes', 'References', 'Further reading'], ['History', 'Construction and materials', 'Designs and variations', 'Hand-powered', 'Mechanically-powered', 'Associated tools', 'Family', 'Rule', 'Wars over Lotharingia', 'Etymology', 'Origin', 'History', '19th century', '20th century', '21st century', 'Genetics', 'Kappasinian hypnotherapy', 'Solution-focused hypnotherapy', 'Cognitive/behavioral hypnotherapy', 'Curative hypnotherapy', 'Mindful hypnotherapy', 'Uses', 'Smoking', 'Childbirth', 'Bulimia', 'Other uses', 'Location and boundaries', 'Physiographic regions', 'Coastal plain', 'Central hills', 'Jordan Rift Valley', 'Negev Desert', 'Procedure', 'Trial', 'Rights of the accused', 'Victim participation', 'Reparations', 'Co-operation by states not party to Rome Statute', 'Amnesties and national reconciliation processes', 'Facilities', 'Headquarters', 'Development'], ['Calculating pI values', 'Examples', 'Botswana', 'Brazil', 'Brunei', 'Bulgaria', 'Cambodia', 'Canada', 'Chile', "People's Republic of China", 'Colombia', 'Democratic Republic of the Congo', 'See also', 'References'], ['Legacy', 'References'], ['Early life and education', 'Family background', 'Child prodigy', 'University studies', 'Climate', 'References'], ['Arrest', 'Capture', 'Confession', 'Indictment', 'Trial', 'Imprisonment', 'Death', 'Aftermath', 'Known murder victims', '1978', 'See also', 'Notes', 'References'], ['Etymology', 'Linguistics', 'History', 'Tribal origins and early history', 'Rise of the Khazar state', 'Khazar state: culture and institutions', 'Royal Diarchy with sacral Qağanate']]



['Wikipedia: N,N-Dimethyltryptamine', 'Wikipedia: Geography of Estonia', 'Wikipedia: Evidence-based medicine', 'Wikipedia: Extermination camp', 'Wikipedia: El Niño', 'Wikipedia: File manager', 'Wikipedia: Gdańsk', 'Wikipedia: Giulio Alenio', 'Wikipedia: Geometric algebra', 'Wikipedia: Harthouse']
[['Details', 'Examples', 'See also', 'References', 'Further reading'], ['The New 52', '30th and 31st Centuries', 'Fictional employees', 'In other media', 'Live-action television', 'Films', 'Animations', 'Video games', 'References'], ['Later history', 'Official repression', 'Official use', "Achievement of its creator's goals", 'Linguistic properties', 'Classification', 'Phonology', 'Consonants', 'Vowels', 'Orthography', 'Geographic features', 'Wildlife', 'Environmental issues', 'Print', 'Television', 'Radio', 'Infrastructure', 'Transportation', 'Bus', 'Cycling', 'Rail', 'Air travel', 'Highways', 'Biography', 'Family and education', 'Early chemical career and the beginning of Skylark', 'Writing Skylark', 'The early 1930s: between Skylark and Lensman', 'The Lensman series', 'Retirement and late writing', 'Lord Tedric', 'Background, history and definition', 'Clinical decision making', 'Evidence-based guidelines and policies', 'Coast Guard report', 'Oil Pollution Act of 1990', 'Alaska regulations', 'Economic and personal impact', 'Reactions', 'In popular culture', 'See also', 'References', 'Further reading'], ['Background', 'Definition', 'History', 'Pure extermination camps', 'Selected works and analyses', 'Neutral or environmentally supportive', 'Environmentally skeptic', '1980s', '1990s', '2000s', '2010s', 'Government support', 'Co-production', 'Festivals', 'Film distribution and production companies', 'See also', 'References', 'Governor of New York (1929–1932)', '1932 presidential election', 'Presidency (1933–1945)', 'First and second terms (1933–1941)', 'First New Deal (1933–1934)', 'Second New Deal (1935–1936)', 'Landslide re-election, 1936', 'Supreme Court fight and second term legislation', 'Conservation and the environment', 'GNP and unemployment rates', 'Plot', 'History', "Subsequent films based on Aukrust's Flåklypa universe", 'Other works inspired', 'See also', 'References'], ['Directory editors', 'File-list file manager', 'Orthodox file managers', 'Features', 'Tabbed panels', 'Portability', 'Plot', 'Cast', 'Title', 'Reception', 'Political controversy', 'Critical and commercial response', 'Cultural impact', 'Soundtrack', 'Awards and nominations', 'See also', 'Into the ice', 'Dash for the pole', 'Retreat', 'Rescue and return', 'National figure', 'Scientist and polar oracle', 'Politician and diplomat', 'Oceanographer and traveller', 'Statesman and humanitarian', 'League of Nations', 'Major cities', 'See also', 'References'], ['Fundamental question of metaphysics', 'Symbolic thought', 'Formal logic', 'Mathematician', 'Linear systems', 'Geometry', 'Calculus', 'Topology', 'Scientist and engineer', 'Physics', 'Life', 'Works', 'Legacy', 'References', 'Citations', 'Bibliography', 'Eight colors', 'Group theory details', 'Confinement', 'Experimental observations', 'See also', 'References', 'Further reading', 'Further reading'], ['Definition and notation', 'Early life', 'Reign', 'Family', 'References', 'Sources', 'Primary sources', 'Secondary sources', 'Spanish Honduras (1524–1821)', 'Independence (1821)', '20th century and the role of American companies', '1969–1999 (Wars and corruption)', '21st century', 'Geography', 'Climate', 'Ecology', 'Environmental issues', 'Government and politics', 'See also'], ['Physics', 'As a force amplifier', "Effect of the head's mass", 'Effect of the handle', 'Effect of gravity', 'Ergonomics and injury risks', 'War hammers', 'Symbolism', 'Image gallery', 'See also', 'Wars with Magyars', 'Wars with Slavs', 'Wars with Danes', 'Family and children', 'Legacy', 'In the arts', 'See also', 'Notes', 'References', 'Sources', 'Demographics', 'Geographic distribution', 'Diaspora', 'Hazara in Pakistan', 'Hazara in Iran', 'Culture', 'Food and cuisine', 'Language', 'Religion', 'Hazara tribes', 'Efficacy', 'Occupational accreditation', 'United States', 'United Kingdom', 'UK National Occupational Standards', 'UK Confederation of Hypnotherapy Organisations (UKCHO)', 'Australia', 'See also', 'References'], ['Geology', 'Seismic activity', 'Rivers and lakes', 'Selected elevations', 'Climate', 'Climate charts of different locations in Israel', 'Natural resources', 'Environmental concerns', 'Rural settlements', 'Islands', 'Architecture', 'Provisional headquarters, 2002–2015', 'Detention centre', 'Other offices', 'Finance', 'Trial history to date', 'Investigations and preliminary examinations', 'Relationships', 'United Nations', 'Nongovernmental organizations', 'Isoelectric point of peptides and proteins', 'Ceramic materials', 'Isoelectric point versus point of zero charge', 'See also', 'References', 'Further reading'], ['Costa Rica', 'Croatia', 'Cuba', 'Cyprus', 'Czech Republic', 'Denmark', 'Dominican Republic', 'Egypt', 'Eritrea', 'Estonia', 'Classification', 'Product category', 'Solvents', 'Gases', 'Medical anesthetics', 'Classification by effect', 'Chemical structure', 'Administration and effects', 'Dangers and health problems', 'General risks', 'Form and function', 'Materials and methods', 'Diamonds', 'Other gemstones', 'Metal finishes', 'Impact on society', 'History', 'Prehistory', 'Egypt', 'Europe and the Middle East', 'Early career and private life', 'Mathematics', 'Set theory', 'Von Neumann Paradox', 'Ergodic theory', 'Operator theory', 'Measure theory', 'Geometry', 'Lattice theory', 'Mathematical formulation of quantum mechanics', 'Early life', 'Career', 'Other projects', 'Bibliography', 'Filmography based on writings', 'Personal life', 'Further reading', 'Notes', 'References'], ['1987', '1988', '1989', '1990', '1991', 'In media', 'Film', 'Books', 'Television', 'Theater', 'Life', 'Doctrinal positions', "Luther's impression", 'In popular culture', 'References', 'Citations', 'Bibliography', 'Further reading', 'Ruling elite', 'Demographics', 'Economy', 'Khazars and Byzantium', 'Arab–Khazar wars', "Rise of the Rus' and the collapse of the Khazarian state", 'Aftermath: impact, decline and dispersion', 'Religion', 'Tengrism', 'Christianity']]



['Wikipedia: Digital Private Network Signalling System', 'Wikipedia: Demographics of Estonia', 'Wikipedia: Édouard de Pomiane', 'Wikipedia: Cinema of the Soviet Union', 'Wikipedia: Fortran', 'Wikipedia: Full disclosure (computer security)', 'Wikipedia: German cuisine', 'Wikipedia: Book of Genesis', 'Wikipedia: Gecko', 'Wikipedia: Hermann Hesse', 'Wikipedia: Hiragana', 'Wikipedia: Hannibal', 'Wikipedia: Hangman (game)', 'Wikipedia: Demographics of Israel', 'Wikipedia: International reply coupon', 'Wikipedia: January 16', 'Wikipedia: Joseph Cotten', 'Wikipedia: James Tiptree Jr.']
[['Usage', 'Effects', 'Subjective psychedelic experiences', 'Reported encounters with external entities', 'Physiological response', 'Dependence liability', 'Conjecture regarding endogenous effects', 'History', 'Overview of the Protocol', 'Practical Considerations', 'Writing diacritics', 'Grammar', 'Vocabulary', 'Sample text', 'Simple phrases', 'Neutrality', 'Origin', 'Gender', 'Education', 'Third-language acquisition', 'Area and boundaries', 'Geographical (landscape) areas', 'Resources and land use', 'See also', 'References', 'Utilities', 'Healthcare', 'Notable people', 'Sister cities', 'References', 'Further reading'], ['Critical opinion', 'Extending the Lensman universe', 'Influence on science and the military', 'Literary influences', 'Derivative works and influence on popular culture', 'Fictional appearances', 'Bibliography', 'Lensman', 'Skylark', 'Subspace', 'Medical education', 'Progress', 'Current practice', 'Methods', 'Steps', 'Evidence reviews', 'Assessing the quality of evidence', 'Categories of recommendations', 'Statistical measures', 'Quality of clinical trials', 'Books', 'References'], ['Concentration and extermination camps', 'Extermination procedure', 'Gassings', 'Corpse disposal', 'Death toll', 'Dismantling and attempted concealment', 'Commemoration', 'The camps and Holocaust denial', 'Awareness', 'See also', 'Concept', 'Occurrences', 'Cultural history and prehistoric information', 'Diversity', 'Effects on the global climate', 'Tropical cyclones', 'Remote influence on tropical Atlantic Ocean', 'Regional impacts', 'Africa', 'Antarctica', 'Further reading'], ['Historical outline', 'Foreign policy (1933–1941)', 'Election of 1940: Breaking with tradition', 'Third and fourth terms (1941–1945)', 'Lead-up to the war', 'Pearl Harbor and declarations of war', 'War plans', 'Nuclear program', 'Wartime conferences', 'Course of the war', 'Home front', 'Naming', 'History', 'FORTRAN', 'Fixed layout and punched cards', 'FORTRAN II', 'Dual-pane managers', 'Navigational file manager', 'Concepts', 'Spatial file manager', '3D file managers', 'Web-based file managers', 'See also', 'References'], ['References'], ['The vulnerability disclosure debate', 'Russian famine', 'Greco-Turkish resettlement', 'Armenian genocide', 'Later life', 'Death and legacy', 'Works', 'See also', 'Notes', 'References', 'Inline citations', 'Names', 'Ceremonial names', 'History', 'Early Poland', 'Pomeranian Poland', 'Teutonic Knights', 'Kingdom of Poland', 'Prussia and Germany', 'Inter-war years and World War II', 'The vis viva', 'Other natural science', 'Psychology', 'Social science', 'Technology', 'Computation', 'Librarian', 'Advocate of scientific societies', 'Lawyer and moralist', 'Ecumenism'], ['Hot foods', 'Meat', 'Structure', 'Summary', 'Composition', 'Title and textual witnesses', 'Origins', 'Genre', 'The geometric product', 'Blades, grades, and canonical basis', 'Grade projection', 'Representation of subspaces', 'Unit pseudoscalars', 'Dual basis', 'Extensions of the inner and exterior products', 'Linear functions', 'Modeling geometries', 'Vector space model', 'Common traits', 'Shedding or molting', 'Adhesion ability', 'Skin', 'Teeth', 'Taxonomy and classification', 'Political culture', 'Foreign relations', 'Military', 'Administrative divisions', 'Economy', 'Poverty', 'Poverty reduction strategies', 'Economic inequality', 'Trade', 'Energy', 'Life and work', 'Family background', 'Childhood', 'Education', 'Becoming a writer', 'Between Lake Constance and India', 'References'], ['Writing system', 'Further reading'], ['Name', 'Sports', 'Notable people', 'Gallery', 'See also', 'Notes and references', 'Further reading'], ['History', 'Overview', 'Variants', 'Human geography', 'Overshoot index', 'See also', 'References'], ['Criticisms', 'African accusations of Western imperialism', 'African Union (AU) withdrawal proposal', 'Criticism by the United States government', 'OPCD', 'Limitations', 'Unintentional consequences', 'State cooperation', 'Questioning the true application of the principle of complementarity', 'See also', 'Description', 'History', 'Current usage in various countries', 'Hong Kong', 'Switzerland', 'United Kingdom', 'Ethiopia', 'Finland', 'France', 'Gambia', 'Georgia', 'Germany', 'Federal', 'State', 'Ghana', 'Greece', 'Risks of specific agents', 'Sudden sniffing death syndrome', 'Legal aspects', 'Solvent glue', 'Propellant gases', 'Poppers', 'Nitrous oxide', 'Patterns of non-medical use', 'Africa and Asia', 'Europe and North America', 'Mesopotamia', 'Greece', 'Etruscan', 'Rome', 'Middle Ages', 'Renaissance', 'Romanticism', '18th Century/Romanticism/Renaissance', 'Art Nouveau', 'Art Deco', 'Von Neumann Entropy', 'Quantum mutual information', 'Density matrix', 'Von Neumann measurement scheme', 'Quantum logic', 'Game theory', 'Mathematical economics', 'Linear programming', 'Mathematical statistics', 'Fluid dynamics', 'Events', 'Births', 'Deaths', 'See also', 'Notes', 'References', 'Cited works', 'Further reading'], ['Early life, family and education', 'Art career', 'Science fiction career', 'Themes', 'Judaism', 'History of discussions of Khazar Jewishness', 'Islam', 'Claims of Khazar ancestry', 'Crimean Karaites and Krymchaks', 'Ashkenazi-Khazar theories', 'Use in anti-Semitic polemics', 'Genetic studies', 'In literature', 'Cities associated with the Khazars']]



['Wikipedia: Digital Access Signalling System 1', 'Wikipedia: Elizabeth Barrett Browning', 'Wikipedia: Évariste Galois', 'Wikipedia: Edward VI of England', 'Wikipedia: Enterprise', 'Wikipedia: File viewer', 'Wikipedia: Frederick Augustus II of Saxony', 'Wikipedia: Game show', 'Wikipedia: Hawala', 'Wikipedia: Harmonic mean', 'Wikipedia: ICC', 'Wikipedia: Isaac Bonewits', 'Wikipedia: Juno', 'Wikipedia: Frost (rapper)']
[['Routes of administration', 'Inhalation', 'Injection', 'Oral ingestion', 'History', 'Legal status', 'International law', 'By country and continent', 'Asia', 'Europe', 'DPNSS and VoIP', 'Criticisms', 'See also'], ['Community', 'Geography and demography', 'Number of speakers', 'Native speakers', 'Culture', 'Esperanto heritage', 'Notable authors in Esperanto', 'Popular culture', 'Science', 'Commerce and trade', 'Population', 'Age structure', 'Births and deaths', 'Total fertility rate', 'Infant mortality rate', 'Life expectancy at birth', 'Migration', 'Ethnic groups', 'Life and career', 'Family background', 'Early life', 'Success', 'Robert Browning and Italy', 'Decline and death', 'References'], ['Life', 'Limitations and criticism', 'Application of evidence in clinical settings', 'Education', 'See also', 'References', 'Bibliography'], ['Early life', 'Birth', 'Upbringing and education', 'Notes', 'References', 'Bibliography', 'Further reading'], ['Asia', 'Australia and the Southern Pacific', 'Europe', 'North America', 'South America', 'Socio-ecological effects for humanity and nature', 'Economic effect', 'Health and social impacts', 'Ecological consequences', 'References', 'Censorship', 'Revolution and Civil War', '1920s', '1930s', '1940s', 'Trophy films', '1950s', '1960s–70s', '1980s', 'Genres', 'Declining health', 'Election of 1944', 'Final months, death and aftermath (1945)', 'Civil rights, internment, and the Holocaust', 'Legacy', 'Historical reputation', 'Memorials', 'See also', 'Notes', 'References', 'Simple FORTRAN II program', 'FORTRAN III', 'IBM 1401 FORTRAN', 'FORTRAN IV', 'FORTRAN 66', 'FORTRAN 77', 'Variants: Minnesota FORTRAN', 'Transition to ANSI Standard Fortran', 'Fortran 90', 'Obsolescence and deletions', 'Overview', 'Streaming media', 'Examples', 'Plain text files', 'Coordinated vulnerability disclosure', 'Full disclosure', 'Non disclosure', 'Debate', 'Arguments against coordinated disclosure', 'Arguments against non disclosure', 'References', 'Sources referenced'], ['Life', 'Contemporary times', 'Geography', 'Climate', 'Economy', 'Main sights', 'Architecture', 'Museums', 'Entertainment', 'Transport', 'Sports', 'Philologist', 'Sinophile', 'As polymath', 'Posthumous reputation', 'Writings and publication', 'Selected works', 'Posthumous works', 'Collections', 'Leibniz in popular media', 'See also', 'Fish', 'Vegetables', 'Structure of meals', 'Side dishes', 'Spices and condiments', 'Desserts', 'Holidays', 'Bread', 'Bread rolls', 'Beverages', 'Themes', 'Promises to the ancestors', "God's chosen people", "Judaism's weekly Torah portions in the Book of Genesis", 'See also', 'Notes', 'References', 'Bibliography', 'Commentaries on Genesis', 'General', 'Spacetime model', 'Homogeneous model', 'Conformal model', 'Models for projective transformation', 'Geometric interpretation', 'Projection and rejection', 'Reflection', 'Rotations', 'Versor', 'Subgroups of', 'Species', 'Reproduction', 'References', 'Further reading'], ['Transportation', 'Water supply and sanitation', 'Crime', 'Demographics', 'Race and ethnicity', 'Gender', 'Languages', 'Largest cities', 'Religion', 'Health', 'During the First World War', 'Casa Camuzzi', 'Religious views', 'Later life and death', 'Influence', 'Awards', 'Bibliography', 'Film adaptations', 'References', 'Sources', 'Table of hiragana', 'Spelling–phonology correspondence', 'Obsolete Kana', 'Ye', 'Yi', 'Spelling rules', 'History', 'Stroke order and direction', 'Unicode', 'Background and early career', 'Second Punic War in Italy (218–204 BC)', 'Overland journey to Italy', 'Battle of Trebia', 'Battle of Lake Trasimene', 'Battle of Cannae', 'Stalemate', "Hannibal's retreat in Italy", 'Conclusion of the Second Punic War (203–201 BC)', 'Return to Carthage', 'Origins', 'How hawala works', 'Regional variants', 'South Asia', 'Hundis', 'Angadia', 'Strategy', 'Derivations', 'Example game', 'References', 'Definition', 'Cities', 'Ethnic and religious groups', 'Jews', 'Arabs', 'Arab Muslims', 'Bedouin', 'Ahmadiyya', 'References', 'Further reading'], ['United States', 'Thailand', 'The Ponzi scheme', 'See also', 'References'], ['Haiti', 'Hong Kong SAR', 'Hungary', 'Iceland', 'India', 'Indonesia', 'Iran', 'Iraq', 'Ireland', 'Israel', 'Australia', 'In popular culture', 'Music and musical culture', 'Films', 'Books', 'Television', 'See also', 'References', 'Further reading'], ['Asia', 'China', 'Indian subcontinent', 'North and South America', 'Native American', 'Pacific', 'Modern', 'Masonic', 'Body modification', 'Jewellery market', 'Mastery of mathematics', 'Nuclear weapons', 'Manhattan Project', 'Atomic Energy Commission', 'Mutual assured destruction', 'Computing', 'Cellular automata, DNA and the universal constructor', 'Weather systems and global warming', 'Technological singularity hypothesis', 'Cognitive abilities', 'Holidays and observances', 'References'], ['Early life', 'Career', 'Broadway', 'Orson Welles', 'The Philadelphia Story', 'Citizen Kane', 'The Magnificent Ambersons and Journey Into Fear', 'Death and legacy', 'Quotes about James Tiptree Jr.', 'Works', 'Short story collections', 'Novels', 'Other collections', 'Adaptations', 'Awards and honors', 'See also', 'References', 'See also', 'Notes', 'Citations', 'Bibliography'], []]



['Wikipedia: End zone', 'Wikipedia: Flute', 'Wikipedia: First Epistle of Peter', 'Wikipedia: Feminist theology', 'Wikipedia: GM', 'Wikipedia: History of the Mediterranean region', 'Wikipedia: Hohenstaufen', 'Wikipedia: Hydroponics', 'Wikipedia: Iceman (Marvel Comics)', 'Wikipedia: Jan Berglin', 'Wikipedia: Otherwise Award']
[['North America', 'Oceania', 'Chemistry', 'Biosynthesis', 'Laboratory synthesis', 'Clandestine manufacture', 'Evidence in mammals', 'Endogenous DMT', 'Detection in body fluids', 'INMT', 'All articles lacking sources', 'All stub articles', 'Articles lacking sources from January 2008', 'Articles with short description', 'BT Group', 'History of telecommunications in the United Kingdom', 'Integrated Services Digital Network', 'Short description with empty Wikidata description', 'Telecommunications stubs', 'Goals of the movement', 'Symbols and flags', 'Politics', 'Religion', 'Oomoto', "Bahá'í Faith", 'Spiritism', 'Bible translations', 'Christianity', 'Islam', 'Languages', 'Religion', 'Vital statistics', 'Vital statistics for the Governorate of Estonia', 'Present Estonia', 'Current natural increase', 'See also', 'References', 'Publications', 'Spiritual influence', 'Barrett Browning Institute', 'Critical reception', 'Works (collections)', 'Posthumous publications', 'References', 'Further reading'], ['Early life', 'Budding mathematician', 'Political firebrand', 'Final days', 'Contributions to mathematics', 'Algebra', 'Galois theory', 'Analysis', 'Continued fractions', 'See also', 'History', 'Scoring', 'Size', 'The goal post', 'Decoration', 'See also', '"The Rough Wooing"', 'Accession', 'Somerset Protectorate', 'Council of Regency', 'Thomas Seymour', 'War', 'Rebellion', 'Fall of Somerset', "Northumberland's leadership", 'Reformation', 'Business and Economics', 'Brands and enterprises', 'General', 'Organizations', 'Computing', 'Entertainment and media', 'Television', 'Fictional entities', 'Further reading'], ['Etymology and terminology', 'Drama', 'Historical epic', 'Comedy', 'War films', 'Red Westerns', 'Fantasy', 'Science fiction', 'Art house/experimental', "Children's films", 'Documentary', 'Works cited', 'Further reading', 'Biographical', 'Scholarly topical studies', 'Foreign policy and World War II', 'Criticism', "FDR's rhetoric", 'Historiography', 'Primary sources'], ['"Hello, World!" example', 'Fortran 95', 'Conditional compilation and varying length strings', 'Fortran 2003', 'Fortran 2008', 'Fortran 2018', 'Science and engineering', 'Language features', 'Portability', 'Variants', 'Microsoft Office documents', 'PDF files', 'Binary files', 'Microsoft Project plan files', 'See also', 'Methodology', 'Development of  feminist theology', 'Prehistoric religion and archaeology', 'Gender and God', 'New Thought movement', 'Within specific religions', 'Early years', 'Co-Regent to the Kingdom', 'King of Saxony', 'Journey through England and Scotland', 'Accidental Death', 'Marriages', 'Ancestry', 'Notes', 'Politics and local government', 'Regional centre', 'Municipal government', 'Districts', 'Education and science', 'Scientific and regional organizations', 'International relations', 'Twin towns – sister cities', 'Partnerships and cooperation', 'Gallery', 'Notes', 'Citations', 'References', 'Bibliographies', 'Primary literature (chronologically)', 'Secondary literature up to 1950', 'Secondary literature post-1950'], ['Alcoholic drinks', 'Non-alcoholic drinks', 'Regional cuisine', 'Baden-Württemberg', 'Bavaria', 'Franconia', 'Hamburg', 'Hessen', 'Palatinate/Pfalz', 'Thuringia'], ['Companies', 'Sports and gaming', 'Examples and applications', 'Hypervolume of a parallelotope spanned by vectors', 'Intersection of a line and a plane', 'Rotating systems', 'Geometric calculus', 'History', 'Software', 'Actively developed open source projects', 'Other projects', 'Benchmark project', 'History', '1930s–1950s', '1960s–1970s', '1980s–1990s', '2000s - present', 'International issues', 'Prizes', 'Bonus round', 'Education', 'Culture', 'Art', 'Cuisine', 'Media', 'Music', 'Celebrations', 'National symbols', 'Folklore', 'Sports'], ['Early history', 'Classical antiquity', 'See also', 'Notes', 'References'], ['Battle of Zama (202 BC)', 'Later career', 'Peacetime Carthage (200–196 BC)', 'Exile (after 195 BC)', 'Death (183 to 181 BC)', 'Legacy', 'Legacy to the ancient world', 'Military history', 'Other', 'Timeline', 'Horn of Africa', 'West Africa', 'Post-9/11 money laundering crackdowns', 'See also', 'References', 'Further reading', 'Definition', 'Relationship with other means', 'Harmonic mean of two or three numbers', 'Two numbers', 'Three numbers', 'Weighted harmonic mean', 'Examples', 'In physics', 'Average speed', 'Arab Christians', 'Druze', 'Syriac Christians', 'Arameans', 'Assyrians', 'Other citizens', 'Copts', 'Samaritans', 'Armenians', 'Circassians', 'Buildings', 'Games', 'Judicial courts', 'Organizations', 'Government', 'Politics', 'Religion', 'Sports', 'Business', 'Other organizations', 'Early life and education', 'Career', 'Early years', '1970s - author and editor', '1980s - founding of Ár nDraíocht Féin', 'Musician and activist', 'Personal life', 'Italy', 'Jamaica', 'Japan', 'Jordan', 'Kazakhstan', 'Kenya', 'Kyrgyzstan', 'South Korea', 'Kuwait', 'Latvia', 'Publication history', 'Collected editions', 'Fictional character biography', 'See also', 'References', 'Further reading'], ['Mathematical legacy', 'Illness and death', 'Honors', 'Selected works', 'See also', 'Notes', 'References', 'Further reading'], ['Biology', 'Business', 'Fiction', 'Film and television', 'Literature', 'Video games', 'Music', 'Musicians and groups', 'Songs', 'People', 'David O. Selznick', 'The Third Man', 'Sabrina Fair and television', '1960s', 'Final leading man roles', '1970s', 'Final roles', 'Personal life', 'Illness and death', 'Accolades'], ['Background', 'Choice of the Tiptree name', 'Early life', 'Music career', 'Discography', 'Studio albums', 'Collaboration albums', 'References'], []]



['Wikipedia: Digital Access Signalling System 2', 'Wikipedia: Politics of Estonia', 'Wikipedia: Enlil', 'Wikipedia: Ennius', 'Wikipedia: Ettore Ximenes', 'Wikipedia: Four Freedoms', 'Wikipedia: Free market', 'Wikipedia: Gamma World', 'Wikipedia: Galois group', 'Wikipedia: Genetic', 'Wikipedia: Grindcore', 'Wikipedia: History of Honduras', 'Wikipedia: Incubus (disambiguation)', 'Wikipedia: Jim Jarmusch', 'Wikipedia: John Newton', 'Wikipedia: Kurtis Blow']
[['Pharmacology', 'Pharmacokinetics', 'Pharmacodynamics', 'Society and culture', 'Black market', 'See also', 'References'], ['United Kingdom stubs', 'See also', 'Modifications', 'Criticism', 'Gender-neutrality', 'Case and number agreement', "Achievement of its creator's goal", 'Eponymous entities', 'See also', 'Notes', 'References', 'Further reading', 'History', 'Institutions', 'Parliament', 'Head of State', 'Government', 'Etymology', 'Worship', 'Iconography', 'Mythology', 'Notes', 'References'], ['References', 'Biography', 'Works', 'Succession crisis', 'Devise for the succession', 'Illness and death', 'Queen Jane and Queen Mary', 'Protestant legacy', 'Family tree', 'See also', 'Notes', 'Bibliography', 'Further reading', 'Star Trek vessels', 'Other fictional vessels', 'Newspapers', 'Geographic locations', 'Canada', 'United States', 'Other places', 'Vessels', 'Aircraft', 'Spacecraft', 'History', 'Acoustics', 'Categories', 'Western transverse flutes', 'Wooden one-keyed transverse flute', 'Western concert flute', 'Western concert flute variants', 'Indian flutes', 'Chinese flutes', 'Korean flutes', 'TV', 'Notable filmmakers', 'Soviet production units', 'See also', 'Further reading', 'References'], ['Historical context', 'Declarations', 'Opposition', 'Fortran 5', 'FORTRAN V', 'Fortran 6', 'Specific variants', 'FOR TRANSIT for the IBM 650', 'Fortran-based languages', 'Code examples', 'Humor', 'See also', 'References', 'Authorship', 'Audience', 'Outline', 'Context', 'Social discrimination of Christians', 'Official persecution of Christians', 'The Harrowing of Hell', 'See also', 'Judaism', 'Christianity', 'Islam', 'Sikhism', 'Hinduism', 'Neopaganism', 'Buddhism', 'See also', 'Notes', 'References', 'Economic systems', 'Georgism', 'Laissez-faire', 'Socialism', 'Capitalism', 'Population after World War II', 'Notable people', 'See also', 'Notes', 'References', 'Citations', 'Bibliography'], ['Setting', 'System', 'History', 'First Edition (1978)', 'Second Edition (1983)', 'Saxony', 'International influences', 'Food industry', 'See also', 'Notes', 'References', 'Further reading'], ['Places', 'Science and measurement', 'Other uses', 'See also', 'See also', 'Notes', 'Citations', 'References and further reading'], ['See also', 'References'], ['See also', 'References'], ['Persian period', 'Hellenistic period', 'Roman–Carthaginian rivalry', 'Roman Mare Nostrum', 'Sasanian and Byzantine times', 'Middle Ages', 'Slavery', 'Late Middle Ages', 'Modern era', 'See also', 'Name', 'Origins', 'Ruling in Germany', 'Frederick Barbarossa', 'Henry VI', 'Philip of Swabia', 'Ruling in Italy', 'Frederick II', 'End of the Staufer dynasty', 'See also', 'Notes', 'References', 'Citations', 'Sources', 'Further reading'], ['History', 'Techniques', 'Static solution culture', 'Continuous-flow solution culture', 'Aeroponics', 'Fogponics', 'Passive sub-irrigation', 'Density', 'Electricity', 'In finance', 'In geometry', 'In other sciences', 'Beta distribution', 'Lognormal distribution', 'Pareto distribution', 'Statistics', 'Sample distributions of mean and variance', 'People from post-Soviet states', 'Finns', "Bahá'ís", 'Vietnamese', 'African Hebrew Israelites of Jerusalem', 'Naturalized foreign workers', 'Non-citizens', 'African migrants', 'Foreign workers', 'Other refugees', 'Science and technology', 'Schools', 'United Kingdom', 'United States', 'Events', 'Other uses', 'Illness and death', 'Contributions to Neopaganism', 'Bibliography', 'Discography', 'Music', 'Spoken word', 'Panel discussions', 'References', 'Further reading'], ['Lebanon', 'Liberia', 'Lithuania', 'Luxembourg', 'Macau SAR', 'Malawi', 'Malaysia', 'Maldives', 'Mexico', 'Moldova', 'Main Timeline Iceman', 'Early life', 'Champions and Defenders', 'X-Factor', 'Back with the X-Men', 'Second mutation', "Rogue's Team", 'Blinded by the Light', 'Messiah Complex', 'Divided We Stand', 'Albums'], ['Early life', 'Impressment into naval service', 'Enslavement and rescue', 'Spiritual conversion', 'First name', 'Surname', 'Places', 'United States', 'Elsewhere', 'Software', 'Space', 'Vehicles', 'Other uses', 'See also', 'Cultural references', 'Theatre credits', 'Radio credits', 'Complete film credits', 'Television credits', 'References', 'Further reading'], ['Controversy and name change', 'Administration', 'Award to the Tiptree Motherboard', 'Anthologies', 'Winners', 'See also', 'References', 'Further reading'], ['Early life, family and education', 'Career', 'Discography', 'Albums']]



['Wikipedia: Da capo', 'Wikipedia: Devanagari', 'Wikipedia: Engineering', 'Wikipedia: Edsger W. Dijkstra', 'Wikipedia: Extrapyramidal', 'Wikipedia: Cinema of Italy', 'Wikipedia: Fortaleza', 'Wikipedia: First Epistle of John', 'Wikipedia: FSK', 'Wikipedia: Graviton', 'Wikipedia: Greek cuisine', 'Wikipedia: George Benson', 'Wikipedia: Hugo de Garis', 'Wikipedia: Hansie Cronje', 'Wikipedia: Intel 8080', 'Wikipedia: Justus von Liebig', 'Wikipedia: Joel', 'Wikipedia: Juventus F.C.', 'Wikipedia: Kazakhstan']
[['Variations', 'See also', 'References', 'Etymology', 'History', 'East Asia', 'Letters'], ['Definition', 'History', 'Central Bank', 'National Audit Office', 'Chancellor of Justice', 'Courts', 'Local government', 'Political parties', 'Policies', 'Elections', 'Finance and the national budget', 'Foreign relations and international treaties', 'Origins myths', 'Flood myth', 'Chief god and arbitrator', 'Ninurta myths', 'War of the gods', 'See also', 'Notes', 'References', 'Citations', 'Bibliography', 'Biography', 'Literature', 'The Annales', 'Minor works', 'Editions', 'See also', 'Footnotes', 'Bibliography', 'Further reading'], ['In Italy', 'In Ukraine', 'In the United States', 'References', 'Bibliography'], ['Historiography'], ['All article disambiguation pages', 'Trains', 'Watercraft', 'United States Navy ships', 'Other ships', 'Ship classes', 'Other uses', 'See also', 'Japanese flutes', 'Sodina and suling', 'Sring', 'Breathing Techniques', 'See also', 'References', 'Bibliography'], ['History', 'Early years', '1900s', '1910s', 'Cinema futurista', '1920s', 'Limitations', 'United Nations', 'Disarmament', 'Franklin D. Roosevelt Four Freedoms Park', 'Awards', 'In popular culture', "Norman Rockwell's paintings", 'Paintings', 'Essays', 'Postage stamps', 'Further reading'], ['History', 'Notes'], ['Content', 'Bibliography'], ['All article disambiguation pages', 'Concepts', 'Perfect competition and market failure', 'Supply and demand', 'Economic equilibrium', 'Low barriers to entry', 'Spontaneous order', 'Criticism', 'See also', 'Notes', 'Further reading', 'Theory', 'Gravitons and renormalization', 'Comparison with other forces', 'Gravitons in speculative theories', 'Energy and wavelength', 'Third Edition (1986)', 'Fourth Edition (1992)', 'Fifth Edition (2000)', 'Omega World (2002)', 'Sixth Edition (2003)', 'Seventh Edition (2010)', 'Reception', 'Related products', 'Reviews', 'See also', 'History', 'Overview', 'Origins', 'Regions', 'Typical dishes', 'Definition', 'Galois group of a polynomial', 'Structure of Galois groups', 'Fundamental theorem of Galois theory', 'Lattice structure', 'Inducting', 'Examples', 'Computational tools', 'Cardinality of the Galois group and the degree of the field extension', 'See also', 'Characteristics', 'Blast beat', 'Lyrical themes', 'Precursors', 'British grindcore', 'North American grindcore', 'Continental European grindcore', 'Grindcore in Asian countries', 'Influence', 'Powerviolence', 'Pre-Columbian era', 'Conquest period', 'Colonial Honduras', 'Colonial mining operations', 'The partially conquered northern coast', 'The British and the Miskito Kingdom', 'Bourbon reforms', 'Honduras in the nineteenth century', 'Independence from Spain (1821)', 'Federal independence period (1821–1838)', 'References', 'Bibliography', 'Further reading'], ['Legacy', 'Members of the Hohenstaufen family', 'Holy Roman Emperors and Kings of the Romans', 'Kings of Italy', 'Kings of Sicily', 'Dukes of Swabia', 'Family tree of the House of Hohenstaufen', 'See also', 'Notes', 'References', 'Early life', 'First-class career', 'International career', 'Debuts', 'Stand-in captain', 'Permanent captain', 'Ebb and flow (flood and drain) sub-irrigation', 'Run-to-waste', 'Deep water culture', 'Top-fed deep water culture', 'Rotary', 'Substrates (growing support materials)', 'Expanded clay aggregate', 'Growstones', 'Coconut Coir', 'Rice husks', 'Delta method', 'Jackknife method', 'Size biased sampling', 'Shifted variables', 'Moments', 'Sampling properties', 'Bias and variance estimators', 'Notes', 'See also', 'References', 'Languages', 'Religion', 'Education', 'Policy', 'Citizenship and Entry Law', 'Soviet immigration', 'Statistics', 'Total population', 'Age structure', 'Median age', 'Film', 'Music', 'Other', 'See also', 'Description', 'Programming model', 'Registers', 'Mongolia', 'Montenegro', 'Morocco', 'Myanmar', 'Nepal', 'Netherlands', 'New Zealand', 'Nicaragua', 'Nigeria', 'North Korea', 'Secret Invasion and Utopia', 'Second Coming', 'Post Schism', 'Extraordinary X-Men', 'Fantastic Four Returns', 'Solo series', 'Time-displaced Iceman', 'All-New X-Men', 'X-Men Blue', 'Extermination', 'Early life', 'Career', 'First features and rise to fame: Permanent Vacation and Stranger Than Paradise', 'Down by Law, Mystery Train, and Night on Earth', '1995–1999: Dead Man and Ghost Dog', '2004–2009: Coffee and Cigarettes, Broken Flowers and The Limits of Control', '2010–2014: Only Lovers Left Alive', '2016: Paterson', "2019: The Dead Don't Die", 'As a filmmaker', 'Slave trading', 'Marriage and family', 'Anglican priest', 'Abolitionist', 'Writer and hymnist', 'Final years', 'Commemoration', 'Portrayals in media', 'Film', 'Stage productions', 'Early life and education', 'Research and development', 'Transforming chemistry education', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'History', 'Early years (1897–1918)', 'League dominance (1923–1980)', 'European stage (1980–1993)', 'Other albums', 'Compilation albums', 'Singles and EPs', 'References'], []]



['Wikipedia: Dominatrix', 'Wikipedia: Economy of Estonia', 'Wikipedia: Ecology', 'Wikipedia: Electronic', 'Wikipedia: EDSAC', 'Wikipedia: Excommunication', 'Wikipedia: Flageolet (disambiguation)', 'Wikipedia: Association football', 'Wikipedia: First-order logic', 'Wikipedia: Freeware', 'Wikipedia: Ford GT40', 'Wikipedia: Göta Canal', 'Wikipedia: Grimoire', 'Wikipedia: Gospel of Mark', 'Wikipedia: History of Malaysia', 'Wikipedia: Hellbender', 'Wikipedia: Iberian Peninsula', 'Wikipedia: Jet engine', 'Wikipedia: Jonah']
[['Etymology', 'History', 'Professional vs. personal', 'Notable Dominatrices', 'Imagery', 'Vowels', 'Consonants', 'Schwa syncope in consonants', 'Vowel diacritics', 'Conjunct consonants', 'Accent marks', 'Punctuation', 'Old forms', 'Numerals', 'Fonts', 'Ancient era', 'Middle Ages', 'Modern era', 'Main branches of engineering', 'Chemical engineering', 'Civil engineering', 'Electrical engineering', 'Mechanical engineering', 'Interdisciplinary engineering', 'Other branches of engineering', 'National defence', 'References', 'Further reading'], [], ['Levels, scope, and scale of organization', 'Hierarchy', 'Entertainment', 'See also', 'Biography', 'Early years', 'Mathematisch Centrum, Amsterdam', 'Eindhoven University of Technology', 'Burroughs Corporation', 'The University of Texas at Austin', 'Last years', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'Christianity', 'Catholic Church', 'Latin Church', 'Eastern Catholic Churches', 'Excommunicable offenses', 'Latae sententiae', 'See also', '1930s', 'Cinecittà', '1940s', 'Neorealism (1940s-1950s)', '1950s', 'Federico Fellini (1950s-1990s)', 'Pink neorealism (1950s-1960s)', "Commedia all'Italiana (1950s-1980s)", 'Totò (1930s-1960s)', 'Don Camillo and Peppone (1950s-1980s)', 'See also', 'Notes'], ['Colonial period', 'Imperial period', 'Republican period', 'Geography', 'Climate', 'Vegetation', 'Ecology and environment', 'Demographics', 'Religion', 'Politics', 'Style', 'Authorship', 'Purpose', 'Surviving early manuscripts', 'Johannine Comma', 'See also', 'References', 'Bibliography'], ['All disambiguation pages', 'Articles containing Albanian-language text', 'Articles containing Russian-language text', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata'], ['History', 'Racing history', 'Experimental observation', 'Difficulties and outstanding issues', 'See also', 'References'], ['References', 'Further reading', 'Etymology', 'See also', 'Citations', 'Further reading'], ["Eisenstein's criterion", 'Trivial group', 'Finite Abelian groups', 'Quadratic extensions', 'Product of quadratic extensions', 'Cyclotomic extensions', 'Finite Fields', 'Degree 4 examples', 'Finite Non-Abelian groups', 'Quaternion Group', 'Biography', 'Early career', '1970s and 1980s', '1990s to present', 'Personal life', 'Discography', 'Awards', 'Grammy Awards', 'References'], ['Industrial and electronic influence', 'Electrogrind', 'Mathcore', 'Crust punk', 'Blackened grindcore', 'Noisegrind', 'See also', 'Notes', 'References', 'Democratic period between 1838 to 1899', 'Honduras in the twentieth century', 'The internationalization of the north, 1899–1932', 'The rise of US influence in Honduras (1899–1919)', "The fruit companies' activity", 'Renewed instability (1919–1924)', 'Coups', 'Restoration of order (1925–1931)', 'Tiburcio Carías Andino (1932–1949)', 'New Reform (1949–1954)', 'Evolvable hardware', 'Past research', 'Employment history', 'Quotes', 'Writings', 'Political/Social Activism', 'See also', 'References'], [], ['Prehistory', 'Early Indianised Hindu-Buddhist kingdoms', 'Better form', 'Whitewash, tie and forfeit', 'Statistics', 'Match fixing', 'Death', 'Personal life', 'See also', 'References'], ['Perlite', 'Vermiculite', 'Pumice', 'Sand', 'Gravel', 'Wood fibre', 'Sheep wool', 'Rock wool', 'Brick shards', 'Polystyrene packing peanuts'], ['Etymology', 'Description', 'Population growth rate', 'Birth rate', 'Births and deaths', 'Current vital statistics', 'Structure of the population', 'Death rate', 'Net migration rate', 'Emigration', 'Density', 'Sex ratio', 'Name', 'Greek name', 'Roman names', 'Modern name', 'Etymology', 'Prehistory', 'Flags', 'Commands, instructions', '8-bit instructions', '16-bit operations', 'Input/output scheme', 'Input output port space', 'Separate stack space', 'The internal state word', 'Example code', 'Pin use', 'North Macedonia', 'Norway', 'Pakistan', 'Panama', 'Papua New Guinea', 'Peru', 'Philippines', 'Poland', 'Portugal', 'Qatar', 'Powers and abilities', 'Characterization', 'Personality', 'Friendships and relationships', 'Sexuality', 'Other versions', '1602', '"Age of Apocalypse"', 'Earth X', '"House of M"', 'Style', 'Themes', 'Impact and legacy', 'Music', 'Awards', 'Personal life', 'Archive', 'Selected filmography', 'Recurring cast members', 'Discography', 'Television', 'Novels', 'References', 'Sources', 'Further reading'], ['Instrumentation', 'Organic chemistry', 'Plant nutrition', 'Plant and animal physiology', 'Liebig and the chemistry of food', 'Methods of cookery', "Liebig's Extract of Meat Company", 'Marmite', 'Major works', 'Later life', 'Book of Jonah', 'Religious views', 'In Judaism', 'Second Champions League and first Supercoppa Italiana titles (1994–2004)', 'Calciopoli scandal (2004–2007)', 'Return to Serie A (2007–2011)', 'Historic four consecutive doubles and nine consecutive league titles (2011–present)', 'Colours, badge, nicknames and symbols', 'Stadiums', 'Supporters', 'Club rivalries', 'Youth programme', 'Players', 'Etymology', 'History', 'Kazakh Khanate', 'Russian Empire', 'Soviet Union', 'Independence', 'Geography', 'Natural resources']]



['Wikipedia: Flag of Denmark', 'Wikipedia: Edna St. Vincent Millay', 'Wikipedia: E. H. Shepard', 'Wikipedia: First Council of the Lateran', 'Wikipedia: Flat Earth', 'Wikipedia: Glycine', 'Wikipedia: General Motors', 'Wikipedia: Grand Guignol', 'Wikipedia: German Empire', 'Wikipedia: Grammatical tense', 'Wikipedia: George, Margrave of Brandenburg-Ansbach', 'Wikipedia: Geography of Honduras', 'Wikipedia: Parliament of the United Kingdom', 'Wikipedia: Humanist (disambiguation)', 'Wikipedia: Harold Eugene Edgerton', 'Wikipedia: Economy of Israel', 'Wikipedia: Intel 8086', 'Wikipedia: January 20']
[['Description', 'History', '1219 origin legend', 'Middle Ages', 'Modern period', 'Variants', 'ISCII', 'Unicode', 'Devanagari keyboard layouts', 'InScript layout', 'Typewriter', 'Phonetic', 'See also', 'References', 'Citations', 'General sources', 'Science', 'Medicine and biology', 'Art', 'Business', 'Other fields', 'See also', 'References', 'Further reading'], ['Future projections', 'Employment participation', 'Sectors', 'Largest companies by revenue', 'Largest companies by profit', 'Infrastructure', 'Trade', 'Natural resources', 'Data', 'See also', 'Food webs', 'Trophic levels', 'Keystone species', 'Complexity', 'Holism', 'Relation to evolution', 'Behavioural ecology', 'Cognitive ecology', 'Social ecology', 'Coevolution', 'Other', 'See also', 'Notes', 'References'], ['Personality and working style', 'EWD manuscripts', 'Personal life and death', 'Influence and recognition', 'Awards and honors', 'See also', 'Selected publications', 'References', 'Further reading'], ['EDSAC Replica Project', 'See also', 'References', 'Further reading'], ['Amish', 'Mennonites', 'Hutterites', "Jehovah's Witnesses", 'Christadelphians', 'Society of Friends (Quakers)', 'Iglesia ni Cristo', 'Unitarian Universalism', 'Buddhism', 'Players, equipment, and officials', 'Ball', 'Pitch', 'Duration and tie-breaking methods', '90-minute ordinary time', 'Tie-breaking', 'Ball in and out of play', 'Misconduct', 'On-field', 'Off-field', 'Fantozzi (1970s-1990s)', '1980s', 'Verdone (1980s-present)', 'Francesco Nuti (1980s-2000s)', 'Cinepanettoni (1980s-2010s)', '1990s', 'Leonardo Pieraccioni (1990s-present)', '2000s', '2010s', '2020s', 'Semantics', 'First-order structures', 'Evaluation of truth values', 'Validity, satisfiability, and logical consequence', 'Algebraizations', 'First-order theories, models, and elementary classes', 'Empty domains', 'Deductive systems', 'Rules of inference', 'Hilbert-style systems and natural deduction', 'Education', 'Health', 'Transportation', 'International Airport', 'Roads', 'Subway', 'Bus stations', 'Bike lanes', 'Public Transportation Statistics', 'Sports', 'See also', 'References', 'Notes', 'Bibliography', 'Further reading', 'References'], ['History', 'See also', 'References', 'Further reading'], ['Business units', 'History', 'Chapter 11 bankruptcy', 'Corporate governance', 'Theatre', 'Important people', 'Plays', 'Closure', 'Theology', 'Gospel', 'The failure of the disciples', 'The charge of magic', 'Messianic secret', 'Christology', "Christ's death, resurrection and return", 'Comparison with other writings', 'Mark and the New Testament', 'Content unique to Mark', 'History', 'Background', 'Foundation', 'Bismarck era', 'Foreign policy', 'Colonies', 'Awards and honors', 'References'], ['Biography', 'Early life', 'Territories and influence', 'Conversion', 'Reformation in Franconia', 'Influence beyond his territories', 'Topography', 'Interior highlands', 'Caribbean lowlands', 'Security', 'Technical', 'Difference from HTTP', 'Network layers', 'Server setup', 'Acquiring certificates', 'Use as access control', 'In case of compromised secret (private) key', 'Limitations', 'History', 'European colonisation and struggles for hegemony', 'British influence', 'British in Malaya', 'British in Borneo', 'Race relations during colonial era', 'World War II and the state of emergency', 'Emergence of Malaysia', 'Struggle for independent Malaysia', 'Challenges of independence', 'Foreign objection', 'Twin towns — Sister cities', 'References'], ['Mixing solutions', 'Additional improvements', 'Growrooms', 'CO2 enrichment', 'See also', 'References', 'References', 'Further reading'], ['Literacy', 'Future projections', 'See also', 'References', 'Further reading'], ['Coastline', 'Rivers', 'Mountains', 'Geology', 'Climate', 'Major modern countries', 'Cities', 'Major metropolitan regions', 'Major cities', 'Ecology', 'Further reading'], ['History', 'Sri Lanka', 'Sudan', 'Sweden', 'Switzerland', 'Syria', 'Taiwan (Republic of China)', 'Tajikistan', 'Tanzania', 'Thailand', 'Turkey', 'X-Men: The End', 'Old Man Logan', 'In other media', 'Television', 'Film', 'Novels', 'Video games', 'Live performances', 'References'], ['Early life', 'Printing press', 'Court case', 'Later life', 'Printed books', 'Printing method with movable type', 'Legacy', 'See also', 'Ram compression', 'Non-continuous combustion', 'Other types of jet propulsion', 'Rocket', 'Hybrid', 'Water jet', 'General physical principles', 'Propelling nozzle', 'Thrust', 'Energy efficiency relating to aircraft jet engines', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['Historicity', 'Parodic elements', 'The fish', 'Translation', 'Scientific speculation', 'Cultural influence', 'Suggested connections to legends', 'Epic of Gilgamesh', 'Jason from Greek mythology', 'See also', 'Contribution to the Italy national team', 'Financial information', 'Kit deals', 'See also', 'Notes', 'References', 'Bibliography', 'Books', 'Other publications'], ['Military', 'Human rights', 'Economy', 'Foreign trade', 'Agriculture', 'Infrastructure', 'Mining and Metallurgy', 'Tourism', 'Green economy', 'Foreign direct investment']]



['Wikipedia: Dharma', 'Wikipedia: Diplomatic mission', 'Wikipedia: Education', 'Wikipedia: Telecommunications in Estonia', 'Wikipedia: Educational perennialism', 'Wikipedia: February 13', 'Wikipedia: Great Plague of London', 'Wikipedia: Generalized mean', 'Wikipedia: History of Egypt', 'Wikipedia: Henry Purcell', 'Wikipedia: Isidore of Seville', 'Wikipedia: Jacques Mayol', 'Wikipedia: J. K. Rowling', 'Wikipedia: Jacquard machine', 'Wikipedia: Jan Długosz']
[['Maritime flag and corresponding Kingdom flag', 'Royal standards', 'Other flags in the Kingdom of Denmark', 'See also', 'References'], ['Census and catalogues of manuscripts in Devanagari'], ['Terminology', 'Etymology', 'History', 'Formal', 'Early childhood', 'References', 'See also', 'References', 'Biogeography', 'r/K selection theory', 'Molecular ecology', 'Human ecology', 'Restoration and management', 'Relation to the environment', 'Disturbance and resilience', 'Metabolism and the early atmosphere', 'Radiation: heat, temperature and light', 'Physical environments', 'Early life', 'New York City', 'Career', 'Death and legacy', 'Works', 'Publications', 'See also', 'References', 'Secular perennialism', 'Colleges exemplifying this philosophy', 'See also', 'Career', 'Personal life', 'Works illustrated', 'References', 'Primary sources', 'Secondary sources'], ['Hinduism', 'Islam', 'Judaism', 'See also', 'Notes', 'References'], ['Governing bodies', 'International competitions', 'Domestic competitions', 'Professionalism', 'Hooliganism', 'Variants and casual play', 'See also', 'Notes', 'References'], ['Italian Academy Award winners', 'Festivals', 'Auteurs', 'See also', 'Notes', 'References'], ['Sequent calculus', 'Tableaux method', 'Resolution', 'Provable identities', 'Equality and its axioms', 'First-order logic without equality', 'Defining equality within a theory', 'Metalogical properties', 'Completeness and undecidability', 'The Löwenheim–Skolem theorem', 'Notable people', 'Twin towns – sister cities', 'See also', 'References', 'Bibliography'], ['History leading to the Council', 'Text of the Council', 'Results of the Council', 'See also', 'References', 'Belief in flat Earth', 'West Asia', 'Greece', 'Poets', 'Philosophers', 'Historians', 'Europe', 'East Asia', 'Alternate or mixed theories', 'Greece: spherical Earth', 'History and etymology', 'Production', 'Chemical reactions', 'Metabolism', 'Biosynthesis', 'Degradation', 'Physiological function', 'As a biosynthetic intermediate', 'As a neurotransmitter', 'Financial results', 'Board of Directors', 'World presence', 'North America', 'South America', 'Europe', 'Asia', 'Africa', 'Oceania', 'Motorsports', 'Thematic and structural analysis', 'Legacy', 'Further reading', 'Footnotes'], ['See also', 'Notes', 'References', 'Citations', 'Bibliography', 'Further reading'], ['Economy', 'Industrial power', 'Railways', 'Industry', 'Consolidation', 'Social issues', 'Kulturkampf', 'Social reform', 'Germanisation', 'Antisemitism', 'Etymology', 'Uses of the term', 'Possible tenses', 'Tense marking', 'In particular languages', 'Latin and Ancient Greek', 'English', 'Other Indo-European languages', 'Other languages', 'Austronesian languages', 'Family and children', 'Ancestry', 'References', 'Pacific lowlands', 'Islands', 'Climate', 'Hurricanes', 'Drought', 'Climate change', 'Hydrography', 'Statistics', 'Extreme Points', 'Natural resources', 'See also', 'References'], ['Racial strife', 'Modern Malaysia', 'Mahathir administration', 'Abdullah administration', 'Najib administration', 'Second Mahathir administration', 'See also', 'Notes', 'References', 'Further reading', 'History', 'Parliament of the United Kingdom of Great Britain and Ireland', 'Parliament of the United Kingdom of Great Britain and Northern Ireland', 'Composition and powers', 'State Opening of Parliament', 'Legislative procedure', 'Duration', 'Legislative functions', 'Judicial functions', 'Relationship with the UK Government', 'See also', 'Biography', 'Early years', 'Education', 'Career', 'Family', 'Death', 'Legacy', 'Works', 'Photographs', 'Exhibitions', 'History', 'After independence', 'OECD membership', 'Challenges', 'Data', 'Sectors', 'Agriculture', 'Forests', 'East Atlantic flyway', 'Languages', 'Transportation', 'Economy', 'See also', 'Notes', 'References', 'Citations', 'Bibliography', 'Background', 'The first x86 design', 'Details', 'Buses and operation', 'Hardware modes', 'Registers and instructions', 'Flags', 'Segmentation', 'Porting older software', 'Example code', 'Turkmenistan', 'Ukraine', 'United Arab Emirates', 'United Kingdom', 'United States', 'Uruguay', 'Uzbekistan', 'Venezuela', 'Vietnam', 'Zambia', 'Life', 'Childhood and education', 'Bishop of Seville', 'References', 'Sources', 'Further reading'], ['Consumption of fuel or propellant', 'Thrust-to-weight ratio', 'Comparison of types', 'Altitude and speed', 'Noise', 'Cooling', 'Operation', 'See also', 'References', 'Bibliography', 'Name', 'Life and career', 'Birth and family', 'Notes', 'References', 'Bibliography'], ['Life', 'Works', 'See also', 'Banking', 'Bond market', 'Housing market', '"Nurly Jol" economic policy', 'Economic competitiveness', 'Corruption', 'Science and technology', 'Digital Kazakhstan', 'Demographics', 'Ethnic groups']]



['Wikipedia: Foreign relations of Estonia', 'Wikipedia: Ecosystem', 'Wikipedia: Eccentricity', 'Wikipedia: First National Pictures', 'Wikipedia: Cinema of Japan', 'Wikipedia: Functor', 'Wikipedia: Foobar', 'Wikipedia: Persian language', 'Wikipedia: Guitar', 'Wikipedia: Politics of Honduras', 'Wikipedia: Habakkuk', 'Wikipedia: Harley-Davidson', 'Wikipedia: Israeli Declaration of Independence', 'Wikipedia: Iran–Iraq War', 'Wikipedia: ISM band', 'Wikipedia: Compounds of carbon', 'Wikipedia: James Brown', 'Wikipedia: Jerome Kern', 'Wikipedia: History of Kazakhstan']
[['Theravada Buddhism', 'Jainism', 'Dharmastikaay (Dravya)', 'Sikhism', 'Dharma in symbols', 'See also', 'Notes', 'References', 'Citations'], ['Registers', 'Data types', 'Memory', 'Instruction formats', 'Instruction set', 'Control instructions', 'Integer arithmetic', 'Logical and shift', 'Extensions', 'Byte-Word Extensions (BWX)', 'Psychology', 'Psychological relationship', 'Learning modalities', 'Mind, brain, and education', 'Philosophy', 'Purpose', 'Curriculum', 'Instruction', 'Economics', 'Future', 'References', 'Trends following re-independence', 'International disputes', 'References', 'History', 'Origins and development', 'Ethnocentrism in social sciences', 'Anthropology', 'Causes', 'Effects', 'Ethnocentrism and racism', 'Effects of ethnocentrism in the media', 'Film', 'Harm assessment', 'Overdose', 'Interactions', 'Pharmacology', 'Pharmacodynamics', 'Pharmacokinetics', 'Chemistry', 'Synthesis', 'Detection in body fluids', 'History', 'Mathematics, science and technology', 'Mathematics', 'Orbital mechanics', 'Other uses in science and technology', 'Other uses', 'Etymology', 'Process', 'Insects', 'Spiders', 'Eurypterids', 'See also', 'References'], [], ['Early history', 'Acquisition by Warner Bros.'], ['Further reading', 'History', 'Definition', 'Covariance and contravariance', 'Opposite functor', 'Bifunctors and multifunctors', 'Examples'], ['History and etymology', 'Example use in code', 'Acquiring the dhamma-eye and destroying the āsavās', 'Popularisation in the west', 'Appearance within the discourses', 'Symbolic function', 'Mahasaccaka Sutta', 'Dhammacakkappavattana Sutta', 'Maha-parinibbana Sutta', 'Propositional function', 'Maha-salayatanika Sutta', 'Emphasis within different traditions', 'Classification', 'Name', "Standard varieties' names", 'ISO codes', 'History', 'Old Persian', 'Reference List', 'History', 'Types', 'Ralph Nader and the Corvair', 'Ignition switch recall', 'See also', 'Notes', 'References', 'Further reading'], ['User interface and interaction design', 'Examples', 'Components', 'Post-WIMP interface', 'Interaction', 'History', 'Early efforts', 'Popularization', 'Comparison to other interfaces', 'The Gospel of Marcion', 'See also', 'Notes', 'References', 'Citations', 'Sources'], ['1900 census results', 'Linguistic maps', 'Religion', 'Coat of arms', 'Legacy', 'Sonderweg', 'Military', 'Territorial legacy', 'See also', 'Notes', 'Lexical vs. grammatical aspect', 'Indicating aspect', 'By language', 'Germanic languages', 'English', 'African American Vernacular English', 'German vernacular and colloquial', 'Dutch', 'Slavic languages', 'Romance languages', 'Early life and education', 'Early career as a physician', 'Mathematics', 'Other contributions', 'De Subtilitate (1550)', 'Later years and death', 'References in literature', 'Works', 'Other ethnicities', 'See also', 'References', 'Sadat era', 'Terrorist insurgency', 'Civil unrest (2011–14)', 'Revolution', "Morsi's presidency", 'After Morsi', 'El-Sisi Presidency', 'See also', 'References', 'Further reading', 'Jewish–Roman wars', 'After the 136 CE Jewish defeat', 'Rome adopts Christianity', 'Byzantine period (390–634)', 'Early Muslim period (634–1099)', 'Crusades and Mongols (1099–1291)', 'Mamluk period (1291–1517)', 'Ottoman period (1516–1917)', 'Old Yishuv', 'Birth of Zionism', 'Islamic literature', 'Observances', 'Tomb of Hosea', 'References'], ['Research and development', 'Applications and potential applications', 'See also', 'References'], ['Personal beliefs', 'Graphic design', 'Death and reactions', 'Honours and awards', 'Major awards', 'Honorary degrees', 'References'], ['Background', 'Drafting the text', 'Minhelet HaAm Vote', 'Final wording', 'Borders', 'Terminology', 'Background', 'Iran–Iraq relations', 'After the Iranian Revolution', 'Iraqi preparations', 'Performance', 'Selection for use in the IBM PC', 'Gallery', 'Peripherals', 'See also', 'Notes', 'References'], ['IETF areas', 'Token Binding Protocol', 'See also', 'References'], ['Allotropes of carbon', 'Carbides', 'Organic compounds', 'Inorganic compounds', 'Carbon-oxygen compounds', 'Carbon-sulfur compounds', 'Portrayal in popular culture', 'Sources and references'], ['Career and family life', 'Science fiction', 'Novels', 'Illness and death', 'Bibliography', 'See also', 'References'], ['Press', 'Transgender people', 'Legal disputes', 'Awards and honours', 'Publications', 'Children', 'Young adults', 'Harry Potter series', 'Related works', 'Short stories', 'See also', 'References'], ['Achievements', 'Holiness', 'Popular culture', 'Film', 'Computer games', 'See also', 'Notes', 'References', 'Sources', 'Primary sources', 'Overview', 'Prehistory', 'First to eighth centuries', 'Eighth to 15th centuries', 'Kazakh Khanate (1465–1731)', 'Russian Empire (1731–1917)']]



['Wikipedia: Daniel Dennett', 'Wikipedia: Encyclopedia', 'Wikipedia: Demographics of Ethiopia', 'Wikipedia: Execution unit', 'Wikipedia: Essendon Football Club', 'Wikipedia: Ebor, New South Wales', 'Wikipedia: Francis Ford Coppola', 'Wikipedia: Functional analysis', 'Wikipedia: Golden Gate Bridge', 'Wikipedia: Gospel of Matthew', 'Wikipedia: Gallienus', 'Wikipedia: Gabbro', 'Wikipedia: House', 'Wikipedia: Heimskringla', 'Wikipedia: Insulator (electricity)', 'Wikipedia: Industrial espionage', 'Wikipedia: James Blish', 'Wikipedia: Kennedy Space Center']
[['Early life, education, and career', 'Philosophical views', 'Free will', 'Motion Video Instructions (MVI)', 'Floating-point Extensions (FIX)', 'Count Extensions (CIX)', 'Implementations', 'Model history', 'Performance', 'Alpha-based systems', 'Supercomputers', 'References'], ['See also', 'Notes', 'References'], ['Territorial issues between Estonia and Russia', 'Diplomatic relationships', 'Relations by country', 'See also', 'References', 'Processes', 'Primary production', 'Energy flow', 'Decomposition', 'Nutrient cycling', 'Function and biodiversity', 'Dynamics', 'Ecosystem ecology', 'Human activities', 'Ecosystem goods and services', 'Social media', 'See also', 'References'], ['Early research and use', "Shulgin's research", 'Rising recreational use', 'Media attention and scheduling', 'United States', 'United Nations', 'Post-scheduling', 'Society and culture', 'Legal status', 'Australia', 'See also', 'History', 'Formation and VFA years (1871–1896)', 'Borderlands', 'Facilities', 'Features', 'Speeding and traffic', 'Filmography', 'See also', 'References'], ['Early silent era', '1920s', '1930s', '1940s', 'Wartime movies', 'American Occupation', '1950s', '1960s', '1970s', '1980s', 'Properties', 'Relation to other categorical concepts', 'Computer implementations', 'See also', 'Notes', 'References'], ['Examples in language', 'See also', 'References'], ['Early Indian Buddhism', 'Theravada', 'Mahayana', 'Tibetan Buddhism', 'Nichiren Buddhism', 'Western Buddhism', 'Navayana Buddhism', 'See also', 'Notes', 'References', 'Middle Persian', 'New Persian', 'Early New Persian', 'Classical Persian', 'Use in Asia Minor', 'Use in South Asia', 'Contemporary Persian', 'Qajar dynasty', 'Pahlavi dynasty', 'Varieties', 'Acoustic', 'Renaissance and Baroque', 'Classical', 'Flat-top', 'Archtop', 'Resonator, resophonic or Dobros', 'Twelve-string', 'Acoustic bass', 'Electric', 'Seven-string and eight-string', 'History', 'Ferry service', 'Conception', 'Design', 'Finance', 'Construction', 'Command-line interfaces', 'GUI wrappers', 'Three-dimensional graphical user interfaces (3D GUIs)', 'Technologies', 'In science fiction', 'See also', 'Notes', 'References'], ['Composition and setting', 'Composition', 'Setting', 'Structure and content', 'Structure: narrative and discourses', 'Prologue: genealogy, Nativity and infancy (Mat. 1-2)', 'References', 'Further reading', 'Historiography', 'Primary sources'], ['Italian', 'Indo-Aryan languages', 'Hindi', 'Finnic languages', 'Austronesian languages', 'Reo Rapa', 'Hawaiian', 'Wuvulu', 'Tokelauan', 'Torau', 'Collected Works', 'See also', 'Notes', 'References', 'Sources'], ['Structure', 'Executive branch', 'Legislative branch', 'Judicial branch', 'Administrative divisions', 'Political parties', 'History', 'Gang violence', 'Elections', 'Zelaya presidency', 'Etymology', 'Elements', 'Layout', 'World War I', 'Interregnum (1917–1920)', 'British Mandate of Palestine (1920–1948)', 'First years', 'Increase of Jewish immigration', 'Arab revolt and the White Paper', 'World War II and the Holocaust', 'Illegal Jewish immigration and insurgency', 'United Nations Partition Plan', 'Civil War', 'Life', 'Biblical account', 'Name', 'Tradition', 'Works', 'Tombs', 'Tomb in Israel', 'Persian shrine', 'History', 'World War I', 'Bicycles', '1920s', 'Great Depression', 'World War II', 'Small Harleys: Hummers and Aermacchis', 'Overseas', 'Name', 'Manuscript history', 'Summary', 'Sources', 'Historical reliability', 'Religion', 'Name', 'Other items', 'Declaration ceremony', 'Signatories', 'Aftermath', 'Status in Israeli law', 'The scroll', 'See also', 'Notes', 'Iranian preparations', 'Border conflicts leading to war', 'Course of the war', '1980: Iraqi invasion', 'First Battle of Khorramshahr', 'Iraqi advance stalls', '1981: Stalemate', 'Battle of Dezful', 'Attack on H3', 'Introduction of the human wave attack', 'Physics of conduction in solids', 'Breakdown', 'Uses', 'Telegraph and power transmission insulators', 'Material', 'Definition', 'Frequency allocation', 'History', 'Applications', 'Common non-ISM uses', 'See also', 'Notes', 'References', 'Carbon-nitrogen compounds', 'Carbon halides', 'Carboranes', 'Alloys', 'References', 'Early life', 'Music career', '1953–1961: The Famous Flames', '1962–1966: Mr. Dynamite', '1967–1970: Soul Brother No. 1', '1970–1975: Godfather of Soul', '1975–1991: Decline and resurgence', '1991–2006: Final years', 'Later life and death', 'Illness', 'Life', 'Career', 'Pantropy (1942–1956)', 'Cities in Flight (1950–1958)', 'Adults', 'Cormoran Strike series (as Robert Galbraith)', 'Other', 'Non-fiction', 'Filmography', 'References'], ['Biography', 'Early life', 'First compositions', 'Princess Theatre musicals', 'Early 1920s', 'Show Boat', 'First films and later shows', 'Kern in Hollywood', 'Personal life and death', 'Awards', 'Secondary sources', 'Further reading'], ['Alash Autonomy (1917–1920)', 'Soviet Union (1920–1991)', 'Famines (1929–1934)', 'ALZhIR (1938–1953)', 'Internal Soviet migration', 'Republic of Kazakhstan (1991–present)', 'Nazarbayev Era', 'Relationship with Russia', 'Relationship with the U.S.', 'See also']]



['Wikipedia: Dagger', 'Wikipedia: Eskilstuna Municipality', 'Wikipedia: Ancient history of Afghanistan', 'Wikipedia: Felix Hausdorff', 'Wikipedia: Gamete', 'Wikipedia: Economy of Honduras', 'Wikipedia: Geography of Italy', 'Wikipedia: Series (mathematics)', 'Wikipedia: Jan Hus', 'Wikipedia: Geography of Kazakhstan']
[['Philosophy of mind', 'Evolutionary debate', 'An account of religion and morality', 'Other philosophical views', 'Artificial intelligence', 'Personal life', 'Selected works', 'See also', 'References', 'Further reading', 'History', 'Early history', 'Antiquity', 'Etymology', 'Two Greek words misunderstood as one', 'Sixteenth century usage of the compounded word', 'The suffix -p(a)edia', 'Contemporary usage', 'Characteristics', 'History', 'Ancient times', 'Middle Ages', 'Ethnic groups', 'White Ethiopians', 'Languages', 'Religion', 'Population', 'UN estimates', 'UN projections', 'Vital statistics', 'Ecosystem management', 'Threats caused by humans', 'See also', 'Notes', 'References', 'Literature cited'], ['References', 'Localities', 'United Kingdom', 'Netherlands', 'Canada', 'Demographics', 'Economics', 'Europe', 'North America', 'Corporate logos on pills', 'Research', 'Notes', 'Founding of the VFL to World War I (1897–1915)', '"Same Olds"', 'Return to suburban Essendon (1921–1932)', 'Dick Reynolds years (1933–1960)', 'Post-Reynolds era and the "Slugging Seventies" (1961–1980)', 'Kevin Sheedy era (1981–2007)', 'On field and relocation to Melbourne Airport (2008–2012)', 'ASADA/WADA investigation (2013–2016)', 'Post-investigation (2017–present)', 'Club symbols', 'Post Office', 'Cultural Heritage', 'Climate', 'References'], ['Early life', 'Career', '1960s', '1970s', 'Patton (1970)', 'The Godfather (1972)', 'The Conversation (1974)', 'The Great Gatsby (1974)', 'The Godfather Part II (1974)', '1990s', '2000s', '2010s', 'Genres', 'Box office', 'Film theorists', 'See also', 'Notes', 'References', 'Bibliography', 'Life', 'Childhood and youth', 'Degree, doctorate and habilitation', 'Docent in Leipzig', 'First professorship', 'Under the Nazi dictatorship and suicide', 'Normed vector spaces', 'Hilbert spaces', 'Banach spaces', 'Linear functional analysis', 'Major and foundational results', 'Uniform boundedness principle', 'Spectral theorem', 'Hahn–Banach theorem', 'Open mapping theorem', 'Sources', 'Printed sources', 'Sutta Pitaka', 'Buddhist teachers', 'Scholarly sources', 'Web sources', 'Further reading', 'Historical background and development', 'Theravada commentaries', 'Modern interpretations', 'Phonology', 'Vowels', 'Consonants', 'Grammar', 'Morphology', 'Syntax', 'Vocabulary', 'Native word formation', 'Influences', 'Orthography', 'Electric bass', 'Construction', 'Handedness', 'Components', 'Head', 'Neck', 'Frets', 'Truss rod', 'Inlays', 'Body', 'Torsional bracing retrofit', 'Bridge Deck Replacement (1982-1986)', 'Opening festivities, and 50th and 75th anniversaries', 'Structural specifications', 'Aesthetics', 'Traffic', 'Usage and tourism', 'Tolls', 'Congestion pricing', 'Issues', 'Dissimilarity', 'Sex determination in mammals and birds', 'Artificial gametes', 'Plants', 'First narrative and discourse (Mat.3:1-8:1)', 'Second narrative and discourse (Mat 8:2-11:1)', 'Third narrative and discourse (Mat. 11:2-13:53)', 'Fourth narrative and discourse (Mat. 13:54-19:1)', 'Fifth narrative and discourse (Mat. 19:2-26:1)', 'Conclusion: Passion, Resurrection and Great Commission (Mat. 26:2-28:20)', 'Theology', 'Christology', 'Relationship with the Jews', 'Comparison with other writings', 'Life', 'Rise to power', 'Early reign and the revolt of Ingenuus', 'Invasion of the Alemanni', 'The revolt of Regalianus', 'Capture of Valerian, revolt of Macrianus', 'The revolt of Postumus', 'The revolt of Aemilianus', 'Malay/Indonesian', 'Philippine languages', 'Creole languages', 'American Sign Language', 'Terms for various aspects', 'See also', 'Notes', 'Other references'], ['Etymology', 'Petrology', 'Distribution', 'Uses', 'See also', 'References'], ['Ouster of President Zelaya on June 28, 2009', 'Political pressure groups', 'Guerrilla groups', 'International organization participation', 'See also', 'References', 'Parts', 'History', 'Middle Ages', 'Industrial Revolution', '19th and 20th centuries', 'Gallery', 'Construction', 'Legal issues', 'Identification and symbolism', 'References', 'State of Israel (1948–present)', 'War of Independence', 'Armistice Agreements', '1948–1955: Ben-Gurion I; Sharett', '1955–1963: Ben-Gurion II', '1963–1969: Eshkol', '1969–1974: Meir', '1974–1977: Rabin I', '1977–1983: Begin', '1983–1992: Shamir I; Peres I; Shamir II', 'Commemoration', 'Christian', 'Islam', "Ali al-Ridha Debate at al-Ma'mun's Court", 'Further Evidence of Prophethood', 'See also', 'Notes', 'Citations', 'References'], ['Tarnished reputation', 'Restructuring and revival', 'Buell Motorcycle Company', 'First overseas factory in Brazil', '100th anniversary', 'Claims of stock price manipulation', 'Problems with Police Touring models', '2007 strike', 'MV Agusta Group', 'Operations in India', 'Influence', 'Editions and translations', 'History of translations', 'Editions', 'Translations', 'Bibliography', 'References'], ['References'], ['Mountains and plains', 'Operation Eighth Imam', 'Operation Tariq al-Qods', '1982: Iraqi retreat, Iranian offensive', 'Operation Undeniable Victory', 'Operation Beit ol-Moqaddas', 'Liberation of Khorramshahr (Second Battle of Khorramshahr)', 'State of Iraqi armed forces', 'International response in 1982', 'Ceasefire proposal', 'Iran invades Iraq', 'Design', 'Types of insulators', 'Suspension insulators', 'History', 'Insulation of antennas', 'Insulation in electrical apparatus', 'Class I and Class II insulation', 'See also', 'Notes', 'References'], ['Basic properties', 'Convergent series', 'Forms of economic and industrial espionage', 'Target industries', 'Information theft and sabotage', 'Agents and the process of collection', 'Use of computers and the Internet', 'Personal computers', 'The Internet', 'Opportunities for sabotage', 'Death', 'Memorial services', 'Last will and testament', 'Artistry and band', 'Concert introduction', 'Concert repertoire and format', 'Cape routine', 'As band leader', 'Social activism', 'Education advocacy and humanitarianism', 'After Such Knowledge (1958–1971)', 'Star Trek (1967–1977)', 'Literary criticism and legacy', 'Honors, awards and recognition', 'Awards and nominations', 'Posthumous Awards and nominations', 'Guest of Honor', 'Bibliography', 'Short fiction and novellas (1935–1986)', 'The Planeteer (1935–36)', 'Early life', 'Career', 'Papal Schism', 'Kutná Hora Decree', 'Antipope Alexander V', 'Crusade against Naples', 'Academy Award for Best Original Song', 'Academy Award for Best Original Music Score', 'Selected works', "Kern's songs", 'Notes', 'References'], ['Formation', 'Location', 'Historical programs', 'Apollo program', 'Skylab', 'Space Shuttle', 'Constellation', 'Expendable launch vehicles (ELVs)', 'Space station processing', 'Current programs and initiatives', 'References'], ['Topography and drainage']]



['Wikipedia: Dominican Order', 'Wikipedia: Enigma machine', 'Wikipedia: Fimbulwinter', 'Wikipedia: Frank Sinatra', 'Wikipedia: Farsi (disambiguation)', 'Wikipedia: Guglielmo Marconi', 'Wikipedia: George R. R. Martin', 'Wikipedia: Gospel of John', 'Wikipedia: Gambeson', 'Wikipedia: Harvey Mudd College', 'Wikipedia: Herman Hollerith', 'Wikipedia: Demographics of Italy', 'Wikipedia: Infantry', 'Wikipedia: Demographics of Kazakhstan']
[['Part I: Starting in the Middle', 'Part II: Darwinian Thinking in Biology', 'Part III: Mind, Meaning, Mathematics and Morality', 'Central concepts', 'Design Space', 'Natural selection as an algorithm', 'Universal acid', 'Skyhooks and cranes', 'Reception', 'See also', 'Foundation', 'Dominic of Caleruega', 'Preaching to the Cathars', 'History', 'Breaking Enigma', 'Design', 'Electrical pathway', 'Rotors', 'Net migration rate', "Mother's mean age at first birth", 'Contraceptive prevalence rate', 'Urbanization', 'Dependency ratios', 'Sex ratio', 'Life expectancy at birth', 'HIV/AIDS', 'Literacy', 'School life expectancy (primary to tertiary education)', 'Optimal planning problems', 'Asymptotics', 'In calculus', 'Alternative characterizations', 'Properties', 'Calculus', 'Inequalities', 'Exponential-like functions', 'Number theory', 'Complex numbers', 'History', 'Drafting', 'Convention articles', 'Article 1 – respecting rights', 'Article 2 – life', 'Article 3 – torture', 'Article 4 – servitude', 'Article 5 – liberty and security', 'Symbolism', 'Marian interpretation', 'Adoption and usage', 'Vexillological', 'Specifications', '1950–present: Council of Europe', '1983–present: From European Communities to European Union', 'Derivative designs', 'Heraldic', 'See also', 'Honours', 'Premierships', 'Team of the Century', 'Champions of Essendon', 'Current players and officials', 'Playing squad', 'Match records', 'Reserves team', 'Other ventures', 'See also', 'Sasanian & Hephthalite invasions (300–650)', 'Kabul Shahi', 'Archaeological remnants', 'See also', 'References', 'Other sources'], ['Gardens of Stone (1987)', 'Tucker: The Man and His Dream (1988)', 'New York Stories (1989)', '1990s', 'The Godfather Part III (1990)', "Bram Stoker's Dracula (1992)", 'Jack (1996)', 'The Rainmaker (1997)', 'Pinocchio dispute with Warner Bros.', 'Contact dispute with Carl Sagan/Warner Bros.', 'Japanese Occupation and World War II', 'Second Golden Age', 'Early Communist Era', 'Films of the Cultural Revolution', 'Rise of the Fifth Generation', 'Main Melody Dramas', 'Sixth Generation', 'Notable ‘sixth generation’ directors: Jia Zhangke and Zhang Ming', 'Generation Independent Movement', 'New Documentary Movement', 'Collected works', 'References', 'See also'], ['Early life', 'Music career', 'Hoboken Four, Harry James, and Tommy Dorsey (1935–1939)', 'Onset of Sinatramania and role in World War II (1942–1945)', 'Columbia years and career slump (1946–1952)', 'Precursor', 'History', 'Calendar design', 'Decimal time', 'Months', 'Ten days of the week', 'Rural calendar', 'Autumn', 'Winter', 'Spring'], ['See also', 'Straps', 'Amplifiers, effects and speakers', 'See also', 'Notes and references', 'Notes', 'Citations', 'Sources', 'Books, journals', 'Online'], ['Biography', 'Early years', 'Education', 'Radio work', 'Developing radio telegraphy', 'Lists of phrases', 'Monitored short pages', 'Redirects to Wikiquote', 'Short description is different from Wikidata', 'Composition and setting', 'Composition', 'Setting: the Johannine community debate', 'Structure and content', 'Theology', 'References', 'Primary sources', 'Secondary sources'], ['Cyclic forms', 'Rotational isomers', 'Mutarotation', 'Optical activity', 'Isomerisation', 'Rocket fuel', 'Biochemical properties', 'Uptake', 'Biosynthesis', 'Glucose degradation', 'Star Trek', '1970s projects', 'Star Trek revival', 'Personal life', 'Religious views', 'Health, decline and death', 'Spaceflight', 'Legacy', 'Posthumous television series', 'Awards and nominations', 'Labor unions', 'Agriculture and land use', 'Agricultural policy', 'Land reform', 'Traditional crops', 'Nontraditional crops', 'Livestock', 'Fishing', 'Forestry', 'Natural resources and energy', 'Similar technologies', 'Embedding into a web page', 'Example', 'Advantages', 'Disadvantages', 'Compatibility-related lawsuits', '1997: Sun vs Microsoft', '2002: Sun vs Microsoft', 'Security', 'Unsigned', 'Academics', 'Admissions', 'Tuition and other costs', 'Haggai in Jewish tradition', 'Liturgical commemoration', 'Haggai in Freemasonry', 'See also', 'References'], ['Dyna', 'Sportster', 'VRSC', 'VRXSE', 'Street', 'LiveWire', 'Custom Vehicle Operations', 'Environmental record', 'Sponsorship', 'Brand culture', 'Reformation and decline', 'The founding of modern Hamar', 'Building a city', 'Establishment of government', 'Fires, floods and other disasters', 'Cityscape', 'Transport', 'Notable residents', 'Sports', 'Team sports', 'Freshwater withdrawal (domestic/industrial/agricultural)', 'Gallery', 'See also', 'Notes', 'References', 'Attacks on cities', 'Strategic situation in 1984', '1985–86: Offensives and retreats', 'Operation Badr', 'Strategic situation at the beginning of 1986', 'First Battle of al-Faw', 'Battle of Mehran', 'Strategic situation at the end of 1986', "Iraq's dynamic defense strategy", '1987–88: Towards a ceasefire', 'See also', 'References', 'Etymology and terminology', 'Alternating series', 'Taylor series', 'Hypergeometric series', 'Matrix exponential', 'Convergence tests', 'Series of functions', 'Power series', 'Formal power series', 'Laurent series', 'Dirichlet series', 'Notable cases', 'France and the United States', 'Volkswagen', 'Hilton and Starwood', 'Google and Operation Aurora', 'CyberSitter and Green Dam', 'USA v. Lan Lee, et al.', 'Dongxiao Yue and Chordiant Software, Inc.', 'Concerns of national governments', 'Brazil', 'Tributes', 'Discography', 'Filmography', 'Biopics', 'In other media', 'See also', 'References', 'Further reading'], ['Planet Stories (1948–1951)', 'Thrilling Wonder Stories (1948–1950)', 'Jungle Stories (1948)', 'Fantastic Story Quarterly (1950)', 'Imagination (1951)', 'Two Complete Science-Adventure Books (1951)', 'Other Worlds Science Stores (1952)', 'Galaxy Science Fiction (1952–1970)', 'Dynamic Science Fiction (1953)', 'Worlds of If (1953–1968)', 'Hussite Wars', "Hus's scholarship and teachings", 'Apology of the Catholic Church', 'Hus and Feminism', 'Hus and the Czech language', 'Legacy', 'Holidays commemorating Hus', 'Famous followers of Jan Hus', 'Gallery', 'Works', 'Final years: 1987–1990', 'Personal life', 'Illness and death', 'Legacy', 'Tributes', 'Filmography', 'Film', 'Television', 'Video games', 'References', 'Labor force', 'In popular culture', 'See also', 'References', 'Notes', 'Citations', 'Bibliography'], ['Demographic trends', 'Population of Kazakhstan 1897–2018', 'Vital statistics', 'Births and deaths', 'Structure of the population  ===', 'Total fertility rate']]



['Wikipedia: Douglas Hofstadter', 'Wikipedia: Politics of Ethiopia', 'Wikipedia: Anthem of Europe', 'Wikipedia: Enid Blyton', 'Wikipedia: Gravitational redshift', 'Wikipedia: Frances Abington', 'Wikipedia: Gnutella', 'Wikipedia: Geography of Afghanistan', 'Wikipedia: Galaxy Quest', 'Wikipedia: Heathrow Airport', 'Wikipedia: International human rights instruments', 'Wikipedia: Jon Postel', 'Wikipedia: Joystick', 'Wikipedia: Joni Mitchell']
[['References'], ['Early life and education', 'Dominican convent established', 'History', 'Middle Ages', 'Women', 'English Province', 'From the Reformation to the French Revolution', 'From the 19th century to the present', 'Missions abroad', 'Divisions', 'Nuns', 'Stepping', 'Turnover', 'Entry wheel', 'Reflector', 'Plugboard', 'Accessories', 'Schreibmax', 'Fernlesegerät', 'Uhr', 'Mathematical analysis', 'Unemployment, youth ages 15-24', 'See also', 'References', 'Differential equations', 'Representations', 'Stochastic representations', 'Known digits', 'In computer culture', 'Notes', 'Further reading'], ['Article 6 – fair trial', 'Article 7 – retroactivity', 'Article 8 – privacy', 'Article 9 – conscience and religion', 'Article 10 – expression', 'Article 11 – association', 'Article 12 – marriage', 'Article 13 – effective remedy', 'Article 14 – discrimination', 'Article 15 – derogations', 'Notes', 'References'], ['Notes', 'References'], ['Prediction by the equivalence principle and general relativity', 'Experimental verification', 'Initial observations of gravitational redshift of white dwarf stars', 'Terrestrial tests', 'Later astronomical measurements', 'Early historical development of the theory', 'Supernova re-edit', '2000s', 'Youth Without Youth (2007)', 'Tetro (2009)', '2010s', 'Twixt (2011)', 'Distant Vision (2015)', '2020s', 'Megalopolis (TBA)', 'Commercial ventures', 'Chinese Animated Movies', 'Early ~ 1950s', '1950s ~ 1980s', '1980s ~ 1990s', '1990s ~ 2000s', '2010s ~ Present', 'New Models and the New Chinese Cinema', 'Commercial Successes', 'Other Directors', 'Chinese International Cinema and Successes Abroad', 'Summary', 'Etymology', 'In popular culture', 'See also', 'References', 'Other sources', 'Career revival and the Capitol years (1953–1962)', 'Reprise years (1961–1981)', '"Retirement" and return (1970–1981)', 'Later career (1982–1998)', 'Artistry', 'Film career', 'Debut, musical films, and career slump (1941–1952)', 'Career comeback and prime (1953–1959)', 'Later career (1960–1980)', 'Television and radio career', 'Summer', 'Complementary days', 'Converting from the Gregorian Calendar', 'Current date and time', 'Criticism and shortcomings', 'Famous dates and other cultural references', 'See also', 'References', 'Further reading'], ['Biography', 'Notes'], ['History', 'Design', 'Protocol features and extensions', 'Transmission breakthrough', 'The British become interested', 'Transatlantic transmissions', 'Titanic', 'Continuing work', 'Later years and Fascism', 'Personal life', 'Legacy and honours', 'Honours and awards', 'Tributes', 'Early life', 'Teaching', 'Writing career', 'A Song of Ice and Fire', 'HBO adaptation', 'Themes', 'Relationship with fans', 'Blog', 'Conventions', 'Christology', 'Logos', 'Cross', 'Sacraments', 'Individualism', 'John the Baptist', 'Gnosticism', 'Comparison with other writings', 'Synoptic gospels and Pauline literature', 'Johannine literature', 'Etymology', 'History', 'See also', 'References'], ['Energy source', 'Precursor', 'Pathology', 'Diabetes', 'Hypoglycemia management', 'Sources', 'Commercial production', 'Conversion to fructose', 'Commercial usage', 'Analysis', 'See also', 'Notes', 'References', 'Sources'], ['Energy sources', 'Electric power', 'Secondary and tertiary industries', 'Manufacturing', 'Construction', 'Banking', 'Tourism', 'Trade', 'Linkages to the United States', 'Foreign investment', 'Signed', 'Self-signed', 'Alternatives', 'References'], ['Harvey Mudd College dormitories', 'College traditions', 'Athletics', 'Athletics history', 'Sports', 'Athletic facilities', 'Rivals', 'Architecture', 'Relations with Caltech', 'Rankings', 'Personal life', 'Electromechanical tabulation of data', 'Inventions and businesses', 'Death and legacy', 'See also', 'Notes', 'References', 'Origin of "Hog" nickname', 'Bobbers', 'Harley Owners Group', 'Factory tours and museum', 'Anniversary celebrations', 'Labor Hall of Fame', 'Television drama', 'See also', 'References', 'Further reading', 'Individual sports', 'Events', 'International relations', 'Twin towns – Sister cities', 'In literature', 'References'], ['Urbanization', 'Genetics and ethnic groups', 'Modern Italy and immigration', 'Historical data', 'Life expectancy at birth from 1871 to 2015', 'Total Fertility Rate from 1850 to 1899', 'Vital statistics since 1900', 'Current natural increase', 'Karbala operations', 'Operation Karbala-4', 'Operation Karbala-5 (Sixth Battle of Basra)', 'Operation Karbala-6', 'Iranian war-weariness', 'Strategic situation in late 1987', 'Air and tanker war in 1987', '1988: Iraqi offensives and UN ceasefire', "Iran's Kurdistan Operations", 'Second Battle of al-Faw', 'History', 'Equipment', 'Weapons', 'Protection', 'Infantry-served weapons', 'Formations', 'Organization', 'Training', 'Operations', 'Attack operations', 'Comparison with IP', 'Frame formats', 'References'], ['Trigonometric series', 'History of the theory of infinite series', 'Development of infinite series', 'Convergence criteria', 'Uniform convergence', 'Semi-convergence', 'Fourier series', 'Generalizations', 'Asymptotic series', 'Divergent series', 'China', 'United States', 'United Kingdom', 'Germany', 'Competitive intelligence and economic or industrial espionage', 'See also', 'References', 'Bibliography', 'Further reading'], ['Career', 'DNS Root Authority test, U.S. response', 'Legacy', "Postel's law", 'See also', 'Notes', 'References', 'Citations', 'Sources', 'Further reading'], ['Further reading'], ['Aviation', 'Life and career', '1943–1963: Early life and education', '1964–1967: Career beginnings, motherhood, and first marriage', '1968–1969: Breakthrough with Song to a Seagull and Clouds', '1970–1972: Ladies of the Canyon and Blue', 'Life expectancy at birth', 'Ethnic groups', 'History of ethnic composition', 'Religions', 'References', 'Bibliography'], []]



['Wikipedia: Euler–Maclaurin formula', 'Wikipedia: Timeline of the evolutionary history of life', 'Wikipedia: Easter Rising', 'Wikipedia: February 10', 'Wikipedia: Freeman Dyson', 'Wikipedia: Finite field', 'Wikipedia: Telecommunications in Honduras', 'Wikipedia: Heaven', 'Wikipedia: History of painting', 'Wikipedia: Hiberno-English', 'Wikipedia: Book of Helaman', 'Wikipedia: Isaac Bashevis Singer', 'Wikipedia: Joyce K. Reynolds', 'Wikipedia: Juruá River', 'Wikipedia: Javary River', 'Wikipedia: Politics of Kazakhstan']
[['Academic career', "Hofstadter's Law", 'Students', 'Public image', 'Columnist', 'Personal life', 'In popular culture', 'Published works', 'Books', 'Papers', 'Sisters', 'Priestly Fraternities of St. Dominic', 'Laity', 'Dominican spirituality', 'Humbert of Romans', 'Mysticism', 'Saint Albertus Magnus', 'English Dominican mysticism', 'Charity and meekness', 'Rosary', 'Operation', 'Basic operation', 'Details', 'Indicator', 'Additional details', 'Example encoding process', 'Models', 'Commercial Enigma', 'Enigma A (1923)', 'Enigma B (1924)', 'Government of Ethiopia', 'Recent history', 'Political parties and elections', '2005 Ethiopian general elections', '2010 Ethiopian general elections', 'International organization participation', 'Royalists and government in exile', 'References'], ['The formula', 'The remainder term', 'Low-order cases', 'Applications', 'The Basel problem', 'Article 16 – foreign parties', 'Article 17 – abuse of rights', 'Article 18 – permitted restrictions', 'Convention protocols', 'Protocol 1', 'Article 1 – property', 'Article 2 – education', 'Article 3 – elections', 'Protocol 4 – civil imprisonment, free movement, expulsion', 'Protocol 6 – restriction of death penalty', 'History', 'Usage', 'Notes'], ['Early life and education', 'Early writing career', 'Commercial success', 'New series: 1934–1948', 'Peak output: 1949–1959', 'Final works', 'Magazine and newspaper contributions', 'Writing style and technique', 'Charitable work', 'Jigsaw puzzle and games', 'See also', 'Notes', 'Primary sources', 'References', 'American Zoetrope', 'Zoetrope Virtual Studio', 'Inglenook Winery', 'Uptown Theater', 'Francis Ford Coppola Presents', 'Winery', 'Resorts', 'Cafe and restaurant', 'Literary publications', 'Other ventures', 'Industry', 'Box Office and Screens', 'Film Companies', 'See also', 'Lists', 'Notes', 'References', 'Citations', 'Sources', 'Further reading', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['Personal life', 'Style and personality', 'Alleged organized-crime links and Cal Neva Lodge', 'Politics and activism', 'Later life and death', 'Legacy and honors', 'Film and television portrayals', 'Discography', 'See also', 'Notes', 'Biography', 'Early life', 'Career in the United States', 'Properties', 'Existence and uniqueness', 'Explicit construction', 'Non-prime fields', 'Software', 'General specifications', 'Gnutella features', 'Notes', 'Gnutella2', 'See also', 'References'], ['Places and organisations named after Marconi', 'Outer space', 'Europe', 'Italy', 'Sweden', 'Oceania', 'Australia', 'North America', 'Canada', 'United States', 'Fan club', 'Criticism', 'Fan fiction', 'Personal life', 'Philanthropy', 'Politics', 'Awards', 'Nominations', 'Bibliography', 'Editor', 'Historical reliability', 'Representations', 'See also', 'Notes', 'References', 'Citations', 'Bibliography'], ['Climate', 'Mountain systems', 'Rivers and lakes', 'Vegetation', 'See also', 'References', 'Further reading', 'Classical qualitative detection reactions', 'Fehling test', 'Tollens test', 'Barfoed test', "Nylander's test", 'Other tests', 'Instrumental quantification', 'Refractometry and polarimetry', 'Photometric enzymatic methods in solution', 'Photometric test-strip method', 'Plot', 'Cast', 'Production', 'Development', 'Casting', 'Filming', 'Post-production', 'Promotion', 'Statistics', 'World development indicators', 'See also', 'References'], ['Location', 'History', 'Operations', 'Facilities', 'Flight movements', 'Regulation', 'Security', 'Terminals', 'Notable alumni', 'Notable faculty', 'See also', 'References'], ['Further reading'], ['Pre-history'], ['Ulster English', 'Narrative', 'See also', 'Notes'], ['Demographic statistics', 'Languages', 'Religion', 'Christianity', 'Other religions', 'See also', 'Footnotes', 'References'], ['Operation Praying Mantis', 'Iranian counteroffensive', 'Operation Forty Stars', 'Tawakalna ala Allah operations', 'Iran accepts the ceasefire', 'Operation Mersad and end of the war', 'Aftermath', 'Peace talks and postwar situation', 'Economic situation', 'Science and technology', 'Patrol operations', 'Pursuit operations', 'Defence operations', 'Escort operations', 'Base defence', 'Manoeuvring operations', 'Reconnaissance/intelligence gathering', 'Military reserve force', 'Construction/engineering', 'Raids/hostage rescue', 'Declarations', 'Global', 'Regional: Americas', 'Regional: Asia', 'Regional: Middle East', 'Conventions', 'Regional: Africa', 'Regional: America', 'Regional: Europe', 'Summations over arbitrary index sets', 'Families of non-negative numbers', 'Abelian topological groups', 'Unconditionally convergent series', 'Series in topological vector spaces', 'Series in Banach and semi-normed spaces', 'Well-ordered sums', 'Examples', 'See also', 'Notes', 'Life', 'World War I', 'United States', 'See also', 'Notes'], ['References', 'Origins', 'Electronic joysticks', 'History', 'Electronic games', 'Arcade sticks', 'Hat switch', 'Cameras', 'Industrial applications', 'Assistive technology', 'See also', '1972–1975: For the Roses and Court and Spark', '1975–1977: The Hissing of Summer Lawns and Hejira', "1977–1980: Don Juan's Reckless Daughter and Mingus", '1981–1987: Wild Things Run Fast, Dog Eat Dog, and second marriage', '1988–1993: Chalk Mark in a Rain Storm and Night Ride Home', '1994–1999: Turbulent Indigo, Taming the Tiger, and divorce', '2000–2005: Both Sides Now, retirement and retrospectives', '2006–2015: Shine and other late recordings', '2016–present: Health problems and recovery', 'Legacy', 'Executive branch', 'Legislative branch', 'Judicial branch', 'Political parties and elections', 'International organization participation', 'Non-governmental organizations']]



['Wikipedia: Dahomey', 'Wikipedia: Economy of Ethiopia', 'Wikipedia: Cinema of the United Kingdom', 'Wikipedia: Frankfurt', 'Wikipedia: Funeral', 'Wikipedia: George Lucas', 'Wikipedia: Grover Cleveland', 'Wikipedia: Gauntlet', 'Wikipedia: Irina Krush', 'Wikipedia: Politics of Italy', 'Wikipedia: Indian removal', 'Wikipedia: Interrupt', 'Wikipedia: Julmust', 'Wikipedia: Julio-Claudian dynasty', 'Wikipedia: Juan Fernández Islands', 'Wikipedia: Economy of Kazakhstan']
[['Involvement in other books', 'See also', 'Notes', 'References'], ['Mottoes', 'Notable members', 'By geography', 'Educational institutions', 'See also', 'References', 'Notes', 'Citations', 'Sources'], ['Enigma C (1926)', 'Enigma D (1927)', '"Navy Cipher D"', 'Enigma H (1929)', 'Enigma K', 'Typex', 'Military Enigma', 'Funkschlüssel C', 'Enigma G (1928–1930)', 'Wehrmacht Enigma I (1930–1938)', 'History', 'Sectors', 'Agriculture, forestry and fishing', 'Textile industry', 'Sums involving a polynomial', 'Approximation of integrals', 'Asymptotic expansion of sums', 'Examples', 'Proofs', 'Derivation by mathematical induction', 'See also', 'Notes', 'References', 'Protocol 7 – crime and family', 'Protocol 12 – discrimination', 'Protocol 13 – complete abolition of death penalty', 'Procedural and institutional protocols', 'Protocol 11', 'Protocol 14', 'See also', 'Notes', 'References'], ['Extinction', 'Detailed timeline', 'Hadean Eon', 'Archean Eon', 'Proterozoic Eon', 'Phanerozoic Eon', 'Palaeozoic Era', 'Mesozoic Era', 'Cenozoic Era', 'Personal life', 'Death and legacy', 'Critical backlash', 'Simplicity', 'Racism, xenophobia and sexism', 'Revisions to later editions', 'Stage, film and television adaptations', 'Papers', 'See also', 'References', 'Background', 'Planning the Rising', 'Build-up to Easter Week', 'The Rising in Dublin', 'Easter Monday', 'Tuesday and Wednesday', 'Thursday to Saturday', 'Surrender', 'The Rising outside Dublin', 'Honors', 'Filmography', 'Awards and nominations', 'See also', 'References', 'Further reading'], [], ['History', 'Origins and silent films', 'Distinctions', 'Etymology', 'History', 'References', 'Sources', 'Further reading'], ['Family', 'Death', 'Concepts', 'Biotechnology and genetic engineering', 'The Origin of Life', 'Dyson sphere', 'Dyson tree', 'Space colonies', 'Space exploration', "Dyson's eternal intelligence", 'Field with four elements', 'for an odd prime', 'and', 'Multiplicative structure', 'Discrete logarithm', 'Roots of unity', 'Example: GF(64)', 'Frobenius automorphism and Galois theory', 'Polynomial factorization', 'Early life', 'Film career', '1965–1969: Early career', '1969–1977: THX 1138, American Graffiti, and Star Wars', '1977–1993: Hiatus from directing, Indiana Jones', 'California', 'Hawaii', 'Massachusetts', 'New Jersey', 'New York', 'Pennsylvania', 'Patents', 'British patents', 'US patents', 'Reissued (US)', 'Wild Cards series editor (also contributor to many volumes)', 'Cross-genre anthologies edited (with Gardner Dozois)', 'Filmography', 'Film', 'Television', 'Video games', 'References'], ['Early life', 'Childhood and family history', 'Education and moving west', 'Early career and the Civil War', 'Political career in New York'], ['Common uses', 'Arts, entertainment, and media', 'Amperometric glucose sensor', 'Other sensory methods', 'Copper iodometry', 'Chromatographic methods', 'In vivo analysis', 'References'], ['Relation to Star Trek and other science fiction works', 'Reception', 'Box office', 'Critical reception', 'Accolades', 'Impact and legacy', 'Reaction from Star Trek actors', 'Related media', 'Home video', 'Tie-in media', 'Radio', 'Television', 'Telephones', 'Internet', 'Internet censorship and surveillance', 'See also', 'References'], ['Current terminals', 'Terminal 2', 'Terminal 3', 'Terminal 4', 'Terminal 5', 'Terminal assignments', 'Former terminals', 'Terminal 1', 'Airlines and destinations', 'Passenger', 'Etymology', 'Ancient Near East', 'Mesopotamia', 'Canaanites and Phoenicians', 'Hurrians and Hittites', 'Abrahamic religions', 'Hebrew Bible', 'Second Temple Judaism', 'Eastern', 'East Asian', 'Chinese', 'Chinese oil paintings', 'Japanese', 'Korean', 'South Asian', 'Indian', 'History', 'Mughal', 'Notable lifelong native speakers', 'West and South-West Irish English', 'Dublin English', 'Local Dublin English', 'New Dublin English', 'Standard (Southern) Irish English', 'Overview of pronunciation and phonology', 'Pure vowels (monophthongs)', 'Gliding vowels (diphthongs)', 'R-coloured vowels', 'Early life and career', 'Team competitions', 'Journalist', 'Personal life', 'References', 'Government', 'Head of state', 'Legislative branch', 'Executive branch', 'Domestic situation', 'Iraq', 'Gaining civilian support', 'Iran', 'Civil unrest', 'Economy', 'Comparison of Iraqi and Iranian military strength', 'Foreign support to Iraq and Iran', 'Financial support', 'Both countries', 'Urban combat', 'Day to day service', 'Air force and naval infantry', 'See also', 'Notes', 'References', 'Citations', 'Sources'], ['See also', 'References'], ['References'], ['Types', 'Literary career', 'The Family Moskat', 'Literary influences', 'Language', 'Illustrators', 'Summary', 'Film adaptations', 'Beliefs', 'Judaism', 'Vegetarianism', 'Career', 'Recognition', 'Death', 'See also', 'References'], ['References', 'References'], ['Geography', 'Guitar style', 'Influence', 'Rejection of Baby Boom counter-culture', 'Awards and honours', 'ASCAP Pop Awards', 'Grammy Awards', 'Juno Awards', 'Discography', 'References', 'Sources', 'North Kazakhstan', 'See also', 'References'], []]



['Wikipedia: Don McLean', 'Wikipedia: Epimenides paradox', 'Wikipedia: Ecclesia', 'Wikipedia: Edmund Burke', 'Wikipedia: Epipalaeolithic Near East', 'Wikipedia: Finland', 'Wikipedia: Gulf (disambiguation)', 'Wikipedia: A Song of Ice and Fire', 'Wikipedia: George Pólya', 'Wikipedia: Gilgamesh', 'Wikipedia: Transport in Honduras', 'Wikipedia: Institut des Hautes Études Scientifiques', 'Wikipedia: Identity function', 'Wikipedia: Justus']
[['Name', 'History', 'Kings of Dahomey', 'Rule of Agaja (1708–1740)', 'Rule of Tegbesu (1740–1774)', 'End of the kingdom', 'Politics', 'The king', 'Musical roots', 'Recording career', 'Early breakthrough', 'M3 (1934)', 'Two extra rotors (1938)', 'M4 (1942)', 'Surviving machines', 'Derivatives', 'Simulators', 'In popular culture', 'See also', 'References', 'Bibliography', 'Minerals and mining', 'Energy', 'Manufacturing', 'Transport', 'Road', 'Air', 'Rail', 'Telecommunications', 'Tourism', 'Macroeconomic trends', 'Logical paradox', 'Origin of the phrase', 'Emergence as a logical contradiction', 'References by other authors', 'Organizations', 'Religion', 'Other uses', 'Historical extinctions', 'See also', 'References', 'Bibliography', 'Further reading'], ['Notes', 'Citations', 'Bibliography', 'Further reading'], ['Fingal', 'Enniscorthy', 'Galway', 'Limerick and Clare', 'Casualties', 'Aftermath', 'Arrests and executions', 'British atrocities', 'Inquiry', 'Reaction of the Dublin public', 'Etymology', 'Finland', 'Suomi', 'Concept', 'History', 'Prehistory', 'The early sound period', 'Second World War', 'Post-war cinema', 'Social realism', 'The 1960s', '1970 to 1980', '1980 to 1990', '1990 to 2000', '2000 to 2010', '2010 to present', 'Early history and Holy Roman Empire', 'Impact of French revolution and the Napoleonic Wars', 'Frankfurt as a fully sovereign state', 'Frankfurt after the loss of sovereignty', 'Geography', 'Site', 'Districts', 'History of incorporations', 'Neighbouring districts and cities', 'Climate', 'Overview', 'Religious funerals', "Bahá'í", 'Buddhist', 'Christian', 'Hindu', 'Zoroastrianism', 'Islamic', 'Jewish', "Dyson's transform", 'Dyson series', 'Quantum physics and prime numbers', 'Rank of a partition', 'Crank of a partition', 'Astrochicken', 'Projects Dyson collaborated on', 'Lumpers and splitters', 'Views', 'Climate change', 'Irreducible polynomials of a given degree', 'Number of monic irreducible polynomials of a given degree over a finite field', 'Applications', 'Extensions', 'Algebraic closure', 'Quasi-algebraic closure', "Wedderburn's little theorem", 'See also', 'Notes', 'References', '1993–2012: Return to directing, Star Wars and Indiana Jones', '2012–present: Semi-retirement', 'Philanthropy', 'George Lucas Educational Foundation', 'Proceeds from the sale of Lucasfilm to Disney', 'Lucas Museum of Narrative Art', 'Other initiatives', 'Personal life', 'Awards and honors', 'Filmography', 'See also', 'References', 'Sources', 'Further reading'], ['Plot synopsis', 'Publishing history', 'Overview', 'First three novels (1991–2000)', 'Bridging the timeline gap (2000–2011)', 'Sheriff of Erie County', 'Mayor of Buffalo', 'Governor of New York', 'Election of 1884', 'Nomination for president', 'Campaign against Blaine', 'First presidency (1885–1889)', 'Reform', 'Vetoes', 'Silver', 'Fictional characters', 'Television', 'Series', 'Episodes', 'Other uses in arts, entertainment, and media', 'Sports', 'Other uses', 'See also', 'Life and works', 'Heuristics', 'Legacy', 'Selected publications', 'Books', 'Articles', 'Proposed sequel or television series', 'Documentary', 'See also', 'References'], ['Railways', 'Railway links with adjacent countries', 'Highways', 'Cargo', 'Traffic and statistics', 'Overview', 'Annual traffic statistics', 'Busiest routes', 'Other facilities', 'Access', 'Public transport', 'Train', 'Bus and coach', 'New Testament and early Christianity', 'Rabbinical Judaism', 'Islam', 'Ahmadiyya', "Bahá'í Faith", 'Chinese religions', 'Indic religions', 'Buddhism', 'Theravada', 'According to the Aṅguttara Nikāya', 'Rajput', 'Tanjore', 'Madras School', 'Bengal School', 'Modern Indian', 'Filipino', 'South-East Asia', 'Western', 'Egypt, Greece and Rome', 'Middle Ages', 'Consonants', 'Vocabulary', 'Loan words from Irish', 'Derived words from Irish', 'Derived words from Old and Middle English', 'Other words', 'Grammar and syntax', 'From Irish', 'Reduplication', 'Yes and no'], ['History', 'Directors', 'Judicial branch', 'Political parties and elections', 'Chamber of Deputies', 'Senate of the Republic', 'Political parties', 'Regional governments', 'History of the post-war political landscape', 'First Republic: 1946–1994', 'Entrance of the Socialists to the government', '1980s', 'U.S. involvement', 'U.S. embargo', 'U.S. knowledge of Iraqi chemical weapons use', 'Iraqi attack on U.S. warship', 'U.S. military actions toward Iran', 'U.S. shoots down civilian airliner', "Iraq's use of chemical weapons", 'Differences from other conflicts', "Iran and Iraq's modern relationship", 'See also', 'Definition', 'Algebraic properties', 'Properties', 'See also', 'The Revolutionary background', 'Benjamin Franklin', 'Thomas Jefferson', 'George Washington', 'Early Congressional Acts', 'Jeffersonian policy', "Calhoun's plan", 'Indian Removal Act', 'Choctaw', 'Cherokee', 'Hardware interrupts', 'Masking', 'Spurious interrupts', 'Software interrupts', 'Triggering methods', 'Level-triggered', 'Edge-triggered', 'Processor response', 'System implementation', 'Shared IRQs', 'Politics', 'Legacy and honors', 'Published works', 'Novels', 'Short story collections', 'Juvenile literature', 'Nonfiction', 'Autobiographical writings', 'Short stories', 'Collected works', 'Julmust and Coca-Cola', 'Outside Sweden', 'See also', 'References', 'Nomenclature', 'Rise and fall of the Julio-Claudians', 'Augustus', 'Tiberius', 'Caligula', 'Claudius', 'Nero', 'Survival after the fall of Nero', 'Relationships among the rulers', 'Dynastic timeline', 'Climate', 'Biota and ecology', 'Flora', 'Fauna', 'History', 'Government', 'Travel', 'Demographics', 'See also', 'References', 'Further reading'], ['Arrival in Britain', 'Macro-economic trend', 'Economic growth and GDP', 'Sectors of economy', 'Primary', 'Energy', 'Oil and gas', 'Mining', 'Industry', 'Motor cars']]



['Wikipedia: Dragoon', 'Wikipedia: Defense', 'Wikipedia: Executive (government)', 'Wikipedia: Eschrichtiidae', 'Wikipedia: Fourth Council of the Lateran', 'Wikipedia: Göta älv', 'Wikipedia: Giovanni Boccaccio', 'Wikipedia: Armed Forces of Honduras', 'Wikipedia: Harmonic analysis', 'Wikipedia: Incremental reading', 'Wikipedia: Green Party (Ireland)', 'Wikipedia: Intercalation (timekeeping)', 'Wikipedia: Johnson solid', 'Wikipedia: John Eccles (neurophysiologist)']
[['In popular culture', 'See also', 'References', 'Further reading'], ['Tactical, martial, and political acts or groups', 'Sports', 'Law', 'Naming conventions', 'Structure', 'Mechanism', 'Substrate binding', '"Lock and key" model', 'Induced fit model', 'Catalysis', 'Dynamics', 'Substrate presentation', 'Allosteric modulation', 'Overview', 'History', 'Current status', 'See also', 'Notes'], ['Terminology', 'History', 'Antiquity', 'Medieval', 'Industrial Revolution', 'Automobiles', 'Horizontally opposed pistons', 'Advancement', 'Increasing power', 'Combustion efficiency', 'Protests on the Goldfields: 1851–1854', "Murder of James Scobie and the burning of Bentley's Hotel", 'Further unrest', 'Ballarat Reform League', 'Battle of the Eureka Stockade', 'Paramilitary mobilisation and swearing allegiance to the Southern Cross', '"Remember Vinegar Hill": Irish dimension factors in dwindling numbers at stockade', 'Departing detachment of Independent Californian Rangers leaves small garrison behind', 'Stockade', 'Siege of the Eureka Stockade', 'India and the impeachment of Warren Hastings', 'French Revolution: 1788 versus 1789', 'Later life', 'Legacy', 'Criticism', 'Religious thought', 'False quotations', '"When good men do nothing"', 'Timeline', 'Bibliography', 'See also', 'References', 'Ministers', 'Taxonomic history', 'Evolution', 'References', 'Notes', 'Constitution', 'President', 'Parliament', 'Cabinet', 'Law', 'Human rights', 'Foreign relations', 'Social security', 'Military', 'Economy', 'History', 'Key themes', 'The gaze and the female spectator', 'Realism and counter cinema', 'Additional theories', 'List of select feminist film theorists and critics', 'See also', '21st-century architecture', 'Skyscrapers', 'History of high-rise buildings', 'Other tall structures', 'Shopping streets', 'Green city', 'Culture', 'Museums', 'Performing arts', 'Music', 'European funerals', 'England', 'Finland', 'Iceland', 'Italy', 'Greece', 'Poland', 'Russia', 'Scotland', 'Spain'], ['By Dyson', 'About Dyson', 'Fees and contract arrangement', 'Rationale and risk shift', 'Advantages and disadvantages of franchising as an entry mode', 'Obligations of the parties', 'Regulations', 'Australia', 'Franchising code of conduct', 'New Zealand', 'Brazil', 'Canada', 'Name', 'History', 'Geography', 'Climate', 'Parks and nature', 'Architecture', 'Characteristic buildings', 'Culture', 'Name in other languages', 'See also', 'References', 'Reception', 'Critical response', 'Sales', 'Fandom', 'Awards and nominations', 'Derived works', 'Novellas', 'Fire & Blood', 'Television series', 'Other works', 'Private citizen for four years', 'Election of 1892', 'Democratic nomination', 'Campaign against Harrison', 'Second presidency (1893–1897)', 'Economic panic and the silver issue', 'Tariff reform', 'Voting rights', 'Labor unrest', 'Pullman Strike', 'Scotland', 'Ireland', 'United States', 'Canada', 'Australia', 'New Zealand', 'Cape Colony', 'France', 'Belgium', 'Japan', 'Implementations', 'Limitations', 'See also', 'References'], ['In antiquity', 'Modern rediscovery', 'Early modern interpretations', 'Modern interpretations and cultural significance', 'See also', 'References'], [], ['History', 'Pre-1979', 'New transport proposals', 'Heathrow City', 'See also', 'Notes', 'References', 'Citations', 'Bibliography'], ['Theosophy', 'Criticism of the belief in heaven', 'Neuroscience', 'Postmodern views', 'Representations in arts', 'See also', 'References', 'Bibliography'], ['World conflict', 'Towards mid-century', 'Abstract expressionism', 'Pop art', 'Figurative, landscape, still-Life, seascape, and Realism', 'Art brut, New Realism, Bay Area Figurative Movement, neo-Dada, photorealism', 'New abstraction from the 1950s through the 1980s', 'Washington Color School, Shaped Canvas, Abstract Illusionism, Lyrical Abstraction', 'Hard-edge painting, minimalism, postminimalism, monochrome painting', 'Neo Expressionism', 'Further reading'], ['Applied harmonic analysis', 'Etymology', 'History', '874–1262: Settlement and Commonwealth', 'The Middle Ages', 'Reformation and the Early Modern period', '1814–1918: Independence movement', '1918–1944: Independence and the Kingdom of Iceland', '1944–present: Republic of Iceland', 'Economic boom and crisis', 'Geography', 'History', 'Age of Industrialization', 'Fascist regime', 'Post-war economic miracle', 'The 1970s and 1980s: from stagflation to "il sorpasso"', 'Great Recession', 'Economic recovery', 'Resilience to the Covid-19 pandemic', 'History', 'Method', 'References'], ['Example code', 'Chip variants', '80386SX', 'i386SL', 'Business importance', 'Compatibles', 'Early problems', 'Pin-compatible upgrades', 'Models and variants', 'Early 5 V models', 'Citations and notes', 'Further reading'], ['Solar calendars', 'Lunisolar calendars', 'Islamic calendars', 'Sources for Islamic Eschatology', 'Signs of the End Times', 'Greater signs', 'Lesser signs', 'The Mahdi', 'Sunni and Shia perspectives', 'Major signs', 'Descent of Jesus', 'Later years', 'Death and posthumous publications', 'Works', 'Literary reception', 'English translations', 'Relationship with science fiction', 'Legacy', 'Notes', 'Footnotes', 'References', 'Names', 'Enumeration', 'Pyramids, cupolae and rotundae', 'Pyramids', 'Cupolae and rotunda', 'Modified pyramids', 'Second degree', 'University of Sussex', 'Evolution and the Theory of Games', 'Evolution of sex and other major transitions in evolution', 'Animal Signals', 'Death', 'Legacy', 'Awards and fellowships', 'Publications', 'Notes', 'Life and work', 'Early life', 'Career', 'Honours', 'Philosophy', 'Personal life and death', 'Intellectual property', 'Public policy', 'New Economic Policy "Nurly Zhol"', 'Doing business in Kazakhstan', 'Special Economic Zones', 'Small and medium-sized enterprises', '2014 and 2015 developments', 'Privatisation 2016–2020', 'Other information', 'See also']]



['Wikipedia: Dutch Limburg', 'Wikipedia: Transport in Ethiopia', 'Wikipedia: Early music', 'Wikipedia: Enrico Fermi', 'Wikipedia: Edmund I', 'Wikipedia: Formalist film theory', 'Wikipedia: Greece', 'Wikipedia: World of A Song of Ice and Fire', 'Wikipedia: Overview of gun laws by nation', 'Wikipedia: Gluten', 'Wikipedia: Hipparchus', 'Wikipedia: History of Libya', 'Wikipedia: Home run', 'Wikipedia: Intelligence quotient', 'Wikipedia: Intercourse', 'Wikipedia: Johannes Rau', 'Wikipedia: John Danforth', 'Wikipedia: James Scarlett, 1st Baron Abinger', 'Wikipedia: Telecommunications in Kazakhstan']
[['Origins and name', 'Use as a verb', 'Early history and role', '19th century', '20th century', 'Dragoner rank', 'Modern dragoons', 'Brazil', 'Places', 'Other uses', 'See also', 'Cofactors', 'Coenzymes', 'Thermodynamics', 'Kinetics', 'Inhibition', 'Types of inhibition', 'Competitive', 'Non-competitive', 'Uncompetitive', 'Mixed', 'Railways', 'Roads', 'Expressways', 'Dangers of vehicular transport', 'Ports and harbours', 'Engine configuration', 'Types', 'Heat engine', 'Combustion engine', 'Internal combustion engine', 'External combustion engine', 'Air-breathing combustion engines', 'Environmental effects', 'Air quality', 'Non-combusting heat engines', 'Estimates of the death toll', 'Aftermath', 'Trials for sedition and high treason', 'Commission of Enquiry', 'Peter Lalor', 'Political legacy', 'Commemoration', 'Publications', 'Popular culture', 'Literature', 'See also', 'Notes', 'References', 'Primary sources', 'Further reading'], ['Presidents And Ministers', 'See also', 'References', 'Sources'], ['Early life and military threats', 'Energy', 'Transport', 'Industry', 'Public policy', 'Tourism', 'Demographics', 'Language', 'Largest cities', 'Religion', 'Health', 'References', 'Further reading', 'Overview', 'Venues', 'Botanical gardens', 'Foreign culture', 'Festivals', 'Nightlife', 'Domestic culture', 'Culinary specialties', 'Transport', 'Airports', 'Frankfurt Airport', 'Wales', 'Other types of funerals', 'Celebration of life', 'Jazz funeral', 'Green', 'Humanist and otherwise not religiously affiliated', 'Police/fire services', 'Masonic', 'Asian funerals', 'In Japan', 'Background', 'Canons', 'Faith and heresy', 'Order and discipline', 'Ecclesiastical discipline', 'Clerical morality', 'Religious cult', 'Appointments and elections', 'Legal procedure', 'Relations with the secular power', 'China', 'India', 'Kazakhstan', 'Europe', 'France', 'Italy', 'Norway', 'Russia', 'Spain', 'Turkey', 'Museums', 'Leisure and entertainment', 'Festivals and fairs', 'Music', 'Sports', 'Economy', 'Government', 'Proportion of foreign born', 'Education', 'Transport', 'Name', 'History', 'Prehistory and early history', 'Archaic and Classical period', 'Hellenistic and Roman periods (323 BC – 4th century AD)', 'Medieval period (4th – 15th century)', 'See also', 'References'], ['Foreign policy, 1893–1897', 'Military policy, 1893–1897', 'Cancer', 'Administration and cabinet', 'States admitted to the Union', '1896 election and retirement', 'Honors and memorials', 'See also', 'Explanatory notes', 'References', 'Liberia', 'Sierra Leone', 'See also', 'References'], ['Biography', 'Early life', 'Adult years', 'Works', 'See also', 'Citations', 'Sources', 'Further reading', 'Uses', 'Bread products', 'Added gluten', 'Imitation meats', 'Other consumer products', 'Disorders', '1980s', '1990s', '2000s', '2009', 'Human rights violations during 2009', 'Army', 'Air Force', 'Navy', 'Military-civilian relations and leadership', 'Equipment', 'Life and work', 'Modern speculation', 'Babylonian sources', 'Geometry, trigonometry, and other mathematical techniques', 'Lunar and solar theory', 'Prehistoric and Berber Libya', 'Phoenician and Greek Libya', 'Achaemenid Libya', 'Roman Libya', 'Contemporary painting into the 21st century', 'Americas', 'Mexico and Central America', 'South America', 'North America', 'United States', 'Canada', 'Caribbean', 'Islamic', 'Iran', 'Abstract harmonic analysis', 'Other branches', 'See also', 'References', 'Bibliography'], ['Geology', 'Climate', 'Plants', 'Animals', 'Politics', 'Government', 'Administrative divisions', 'Foreign relations', 'Military', 'Economy', 'Overview', 'Data', 'Companies', 'Wealth', 'Regional data', 'North–South divide', 'Economic sectors', 'Primary', 'Secondary', 'Tertiary', 'History', 'Precursors to IQ testing', 'General factor (g)', '80386DX', 'RapidCAD', 'Versions for embedded systems', '80376', 'i386EX, i386EXTB and i386EXTC', 'i386CXSA and i386SXSA (or i386SXTA)', 'i386CXSB', 'Obsolescence', 'See also', 'Notes and references', 'History', 'Early years and first rise', 'Term in government', 'Wipeout, recovery, and second rise', 'Ideology and policies', 'Organisation', 'Leadership', 'Party leader', 'Irish and European politics', 'Election results', 'Leap seconds', 'Other uses', 'See also', 'References', 'Shia eschatology', 'Raj`a', 'Isa', 'Resurrection and final judgement', 'Major events', 'Kaaba destruction and the beast of the earth', 'Resurrection of the dead', 'Separation of the righteous and the damned', 'Resurrection theories', 'Eschatological Views in the Early Muslim Period', 'General sources'], ['Education and work', 'Elongated and gyroelongated pyramids', 'Bipyramids', 'Modified cupolae and rotundae', 'Elongated and gyroelongated cupolae and rotundae', 'Bicupolae', 'Cupola-rotundae and birotunda', 'Elongated bicupolae', 'Elongated cupola-rotundae and birotundae', 'Gyroelongated bicupolae, cupola-rotunda, and birotunda', 'Augmented prisms', 'References'], ['Media', 'Obituaries', 'Styles', 'Bibliography', 'References'], ['References'], ['Fixed line']]



['Wikipedia: DirkJan', 'Wikipedia: Ethiopian National Defense Force', 'Wikipedia: Escape from New York', 'Wikipedia: Film theory', 'Wikipedia: Gregorio Allegri', 'Wikipedia: Giuseppe Verdi', 'Wikipedia: Instruction register', 'Wikipedia: Transport in Kazakhstan']
[['Canada', 'Chile', 'Denmark', 'France', 'Lithuania', 'Norway', 'Peru', 'Portugal', 'Spain', 'Sweden', 'See also', 'Description', 'Publication', 'Irreversible', 'Functions of inhibitors', 'Factors affecting enzyme activity', 'Biological function', 'Metabolism', 'Control of activity', 'Regulation', 'Post-translational modification', 'Quantity', 'Subcellular distribution', 'Merchant marine', 'Airports', 'See also', 'References', 'Further reading'], ['Non-thermal chemically powered motor', 'Electric motor', 'Physically powered motor', 'Pneumatic motor', 'Hydraulic motor', 'Performance', 'Speed', 'Thrust', 'Torque', 'Power', 'Film and television', 'Stage', 'See also', 'References', 'Bibliography'], ['Terminology', 'Revival', 'Performance practice', 'See also', 'Citations', 'Further reading'], ['Early life', 'Scuola Normale Superiore in Pisa', 'Professor in Rome', 'Manhattan Project', 'Postwar work', 'Death', 'Impact and legacy', 'Legacy', "Things named in Fermi's honor", 'Publications', 'Louis IV of France', 'Family', 'Death and succession', 'See also', 'References', 'Further reading'], ['Education and science', 'Culture', 'Literature', 'Visual arts, design, and architecture', 'Music', 'Cinema and television', 'Media and communications', 'Cuisine', 'Public holidays', 'Sports', 'Ideological formalism', 'Formalism in auteur theory', 'See also', 'Notes', 'References', 'Frankfurt Hahn Airport', 'Frankfurt Egelsbach Airport', 'Roads', 'Railway stations', 'Frankfurt Central Station', 'Frankfurt Airport stations', 'Frankfurt South station', 'Messe stations', 'Konstablerwache station and Hauptwache station', 'Coach stations', 'In the Philippines', 'In Korea', 'In Mongolia', 'In Vietnam', 'African funerals', 'Ancient Egypt', 'West African', 'East African', 'Historical mausoleums', 'China', 'Excommunication', 'Marriage', 'Tithes', 'Religious Orders', 'Simony', 'Regulations relating to Jews and Muslims', 'References'], ['United Kingdom', 'United States', 'Social franchises', 'Third-party logistics franchising', 'Event franchising', 'Home-based franchises', 'See also', 'References'], ['Public transport', 'Rail and intercity bus', 'Air', 'Sea', 'Freight', 'Notable people', 'International rankings', 'International relations', 'Twin towns and sister cities', 'See also', 'Venetian possessions and Ottoman rule (15th century – 1821)', 'Modern period', 'Greek War of Independence (1821–1832)', 'Kingdom of Greece', 'Expansion, disaster, and reconstruction', 'Dictatorship, World War II, and reconstruction', 'Military regime (1967–74)', 'Third Hellenic Republic', 'Geography and climate', 'Islands', 'Maps', 'Westeros', 'The North', 'Winterfell', 'The Wall', 'Beyond the Wall', 'The Iron Islands', 'Pyke', 'Old Wyk', 'The Riverlands', 'Further reading'], ['Life', 'Vocabulary and terminology', 'Comparison', 'Africa', 'Botswana', 'Djibouti', 'Eritrea', 'Gambia', 'Kenya'], ['Life', 'Childhood and education', 'Pathophysiological research', 'In vitro and in vivo studies', 'Incidence', 'Celiac disease', 'Non-celiac gluten sensitivity', 'Wheat allergy', 'Gluten ataxia', 'Other neurological disorders', 'Labeling', 'International standards', 'Hand guns', 'Sub machine guns', 'Rifles', 'Sniper rifles', 'Machine guns', 'Rocket launchers', 'Medium artillery', 'Vehicles and artillery', 'See also', 'References', 'Motion of the Moon', 'Orbit of the Moon', 'Apparent motion of the Sun', 'Orbit of the Sun', 'Distance, parallax, size of the Moon and the Sun', 'Eclipses', 'Astronomical instruments and astrometry', 'Star catalog', 'Stellar magnitude', 'Precession of the equinoxes (146–127\xa0)', 'Islamic Libya', 'Ottoman Libya', 'Italian Libya', 'Kingdom', 'Arab Republic and Jamahiriya', '2011 uprising and civil war', 'Transition and 2014 Civil War', 'See also', 'Notes', 'Bibliography', 'Pakistan', 'Oceania', 'Australia', 'New Zealand', 'Africa', 'Sudanese', 'Ethiopian', 'Influence on Western art', 'See also', 'References', 'Types of home runs', 'Out of the park', 'Number of runs batted in', 'Grand slam', 'Specific situation home runs', 'Walk-off home run', 'Leadoff home run', 'Economic contraction', 'Transport', 'Energy', 'Education and science', 'Demographics', 'Urbanisation', 'Language', 'Health', 'Religion', 'Culture', 'Infrastructure', 'Energy and natural resources', 'Transport', 'Poverty', 'References', 'Notes'], ['United States military selection in World War I', 'IQ testing and the eugenics movement in the United States', 'Cattell–Horn–Carroll theory', 'Other theories', 'Current tests', 'Reliability and validity', 'Reliability', 'Validity as a measure of intelligence', 'Test bias or differential item functioning', 'Flynn effect'], ['References', 'Dáil Éireann', 'City and county council local elections', 'Devolved Northern Ireland legislatures', 'Westminster', 'European Parliament', 'See also', 'References'], ['Places', 'Arts and media', 'Books', 'Music', 'Other arts and media', 'See also', 'Limbo Theory of Islam', 'The Current Existence of the Afterlife', 'The Concept of Eternity', 'Gender and Islamic Eschatology', 'Predestination', 'The fate of non-Muslims', 'The fate of Jews', 'Islamic eschatology in literature', 'Criticism', 'See also', 'Political career', 'Death', 'Motto and maxim', 'Prizes and medals', 'Private life', 'Honours', 'Foreign honours', 'See also', 'References'], ['Modified Platonic solids', 'Augmented dodecahedra', 'Diminished and augmented diminished icosahedra', 'Modified Archimedean solids', 'Augmented Archimedean solids', 'Gyrate and diminished rhombicosidodecahedra', 'Elementary solids', 'Snub antiprisms', 'Others', 'Classification by types of faces', 'Early life and education', 'Career', 'Missouri Attorney General', 'United States Senate', 'Elections', 'Tenure', 'UN Ambassador', 'Post-Senate career', 'Personal life', 'Background and education', 'Legal and political career', 'Family', 'Cases', 'Property', 'References'], ['Mobile', 'Other', 'See also', 'References']]



['Wikipedia: Duck Hunt', 'Wikipedia: Elfenland', 'Wikipedia: Entente', 'Wikipedia: Endothermic process', 'Wikipedia: Flagellate', 'Wikipedia: Franconia', 'Wikipedia: Feynman diagram', 'Wikipedia: Gotland County', 'Wikipedia: Goodness (band)', 'Wikipedia: Foreign relations of Honduras', 'Wikipedia: History of Afghanistan', 'Wikipedia: Hungarian language', 'Wikipedia: Telecommunications in Italy', 'Wikipedia: Transport in Italy', 'Wikipedia: Lists of islands', 'Wikipedia: Iconoclasm', 'Wikipedia: Ink', 'Wikipedia: Iblis', 'Wikipedia: Jackson', 'Wikipedia: Jordanes', 'Wikipedia: Jewish views on marriage']
[['Switzerland', 'United Kingdom', 'United States', 'See also', 'Citations and notes', 'References', 'Further reading'], ['Sources'], ['Gameplay', 'Organ specialization', 'Involvement in disease', 'Evolution', 'Industrial applications', 'See also', 'References', 'Further reading', 'History of the Army', 'Battle of Adwa', "Boundary confrontation against the UK's colonialists (1896–1899)", 'Under Haile Selassie I', 'Korean War', 'Seizure of power by the Derg 1974 and aftermath', '1990-91 Order of Battle', 'Efficiency', 'Sound levels', 'Engines by use', 'See also', 'Notes', 'References'], ['Plot', 'Cast', 'Production', 'Development and writing', 'Casting', 'Pre-production', 'Filming', 'Gameplay', 'Expansion', 'References', 'Patents', 'Notes', 'References'], ['Details', 'Examples', 'References'], ['See also', 'Notes', 'References', 'Further reading'], ['History', 'Specific theories of film', 'See also', 'References', 'Further reading', 'Public transport', 'S-Bahn', 'U-Bahn', 'Tram', 'Bus', 'Taxis', 'Bicycles', 'Economy and business', 'Central banks', 'European Central Bank', 'Tomb of Emperor Qin Shi Huangdi', 'Imperial Tombs of the Ming and Qing Dynasties', 'Mutes and professional mourners', 'State funeral', 'Final disposition', 'Self-planned funerals', 'Organ donation and body donation', 'See also', 'References', 'Bibliography', 'Etymology', 'Geography', 'Overview', 'Extent', 'Administrative divisions', 'Motivation and history', 'Alternative names', 'Representation of physical reality', 'Particle-path interpretation', 'References'], ['Province', 'Climate', 'Ecology', 'Politics', 'Political parties', 'Foreign relations', 'Law and justice', 'Military', 'Administrative divisions', 'Economy', 'Introduction', 'Harrenhal', 'Riverrun', 'The Twins', 'The Vale of Arryn', 'The Eyrie', 'The Westerlands', 'Casterly Rock', 'The Reach', 'Oldtown', 'The Stormlands', 'The Miserere', 'References'], ['Lesotho', 'Liberia', 'Mozambique', 'Namibia', 'Rwanda', 'Senegal', 'Sierra Leone', 'South Africa', 'Swaziland', 'Americas', '1834–1842: First operas', '1842–1849', '1849–1853: Fame', '1853–1860: Consolidation', 'Politics', '1860–1887: from La forza to Otello', '1887–1901: Falstaff and last years', 'Personality', 'Music and form', 'Spirit', 'Brazil', 'Canada', 'European Union', 'United States', 'See also', 'References', 'Further reading'], ['Central American relations', 'Relations by country', 'Geography', 'Legacy', 'Monument', 'Editions and translations', 'Notes', 'References', 'Citations', 'Sources', 'Further reading'], [], ['Prehistory', 'Indus Valley Civilization', 'Further reading'], ['Classification', 'Back-to-back', 'Consecutive home runs by one batter', 'Home run cycle', 'History', 'Records', 'Instant replay', 'See also', 'References'], ['Literature', 'Art', 'Music', 'Media', 'Cuisine', 'Sport', 'See also', 'Notes', 'References', 'Bibliography', 'See also', 'References', 'Age', 'Genetics and environment', 'Heritability', 'Shared family environment', 'Non-shared family environment and environment outside the family', 'Individual genes', 'Gene-environment interaction', 'Interventions', 'Music', 'Brain anatomy', 'Lists of islands by country', 'Africa', 'Antarctica', 'Asia', 'Early religious iconoclasm', 'Ancient era', 'Judaism', 'Iconoclasm in Christian history', 'Byzantine era', 'History', 'Types', 'Colorants', 'Pigments', 'Dyes', 'Health and environmental aspects', 'Notes', 'References', 'Further reading', 'People', 'Places', 'Australia', 'Triangle-faced Johnson solids', 'Triangle and square-faced Johnson solids', 'Triangle and pentagonal-faced Johnson solids', 'Triangle, square, and pentagonal-faced Johnson solids', 'Triangle, square, and hexagonal-faced Johnson solids', 'Triangle, square, and octagonal-faced Johnson solids', 'Triangle, pentagon, and decagonal-faced Johnson solids', 'Triangle, square, pentagon, and hexagonal-faced Johnson solids', 'Triangle, square, pentagon, and decagonal-faced Johnson solids', 'Circumscribable Johnson solids', 'Author', 'See also', 'References'], ['Overview', 'Historic view', 'Recent non-Orthodox views', 'Engagement', 'Betrothal and marriage', 'Railways', 'Railway links with adjacent countries', 'Maps', 'Towns served by rail', 'Rapid transit and tram systems', 'Almaty', 'Nur-Sultan', 'Oskemen', 'Pavlodar']]



['Wikipedia: Dulcimer', 'Wikipedia: Dutch West India Company', 'Wikipedia: Ethics', 'Wikipedia: Economic and monetary union', 'Wikipedia: Euroscepticism', 'Wikipedia: Editor war', 'Wikipedia: Earle Page', 'Wikipedia: Film noir', 'Wikipedia: February 11', 'Wikipedia: Geoff Hurst', 'Wikipedia: Glen or Glenda', 'Wikipedia: Hong Kong', 'Wikipedia: Hebrew (disambiguation)', 'Wikipedia: Harappa', 'Wikipedia: Italy', 'Wikipedia: John Peel']
[['References', 'Vs. Duck Hunt', 'Development', 'Release', 'Reception', 'Legacy', 'See also', 'Notes', 'References'], ['Defining ethics', 'Meta-ethics', 'Moral skepticism', 'Normative ethics', 'Virtue ethics', 'Stoicism', 'From 1991', 'The Ethiopia-Eritrea war', 'Somalia', 'Peacekeeping', 'Ground forces', 'Modern ground forces equipment', 'Infantry weapons', 'Tanks and armored fighting vehicles', 'Artillery', 'Air defense & anti-tank weapons', 'History', 'Processes in the European MCU', 'Roles of national governments', 'List of economic and monetary unions', 'Proposed', 'Previous EMUs', 'Music', 'Soundtrack', 'Release', 'Critical reception', 'Home media', 'Video releases', 'LaserDisc releases', 'DVD releases', 'Blu-ray release', 'Other media'], ['Global outlook', 'Terminology', 'History', 'Other', 'See also', 'Early life', 'Birth and family background', 'Education', 'Medical career', 'Early political involvement', 'Form and behavior', 'Flagellates as specialized cells or life cycle stages', 'Flagellates as organisms: the Flagellata', 'References'], ['Problems of definition', 'Background', 'Cinematic sources', 'Literary sources', 'Classic period', 'Overview', 'Deutsche Bundesbank', 'Commercial banks', 'Frankfurt Stock Exchange', 'Frankfurt Trade Fair', 'Messeturm', 'Aviation', 'Lufthansa', 'Fraport', 'Condor', 'Other industries'], ['Events', 'Births', 'Rivers and lakes', 'Hills, mountains and plains', 'Forests, reserves, flora and fauna', 'Geology', 'General', 'Fossils', 'Climate', 'Quality of life', 'History', 'Name', 'Description', 'Electron–positron annihilation example', 'Canonical quantization formulation', 'Feynman rules', 'Example: second order processes in QED', 'Scattering of fermions', 'Compton scattering and annihilation/generation of e− e+ pairs', 'Path integral formulation', 'Scalar field Lagrangian', 'On a lattice', 'Administration', 'Politics', 'Governors', 'Localities in order of size', 'Foreign background', 'Heraldry', 'References'], ['Debt crisis (2010–2018)', 'Agriculture', 'Energy', 'Maritime industry', 'Tourism', 'Transport', 'Telecommunications', 'Science and technology', 'Demographics', 'Cities', "Storm's End", 'The Crownlands', 'Dragonstone', "King's Landing", 'Dorne', 'Summer Sea', 'Basilisk Isles', 'Naath', 'Summer Islands', 'Essos', 'Discography', 'References'], ['Argentina', 'Brazil', 'Canada', 'Chile', 'Colombia', 'El Salvador', 'Honduras', 'Jamaica', 'Mexico', 'Panama', 'Periods', 'Early period', 'Middle period', 'Late period', 'Final works', 'Legacy', 'Reception', 'Nationalism in the operas', 'Memorials and cultural portrayals', 'Verdi today', 'Plot', 'Cast', 'Production', 'Release', 'Legacy', 'See also', 'Illicit drugs', 'See also', 'References', 'Entomology', 'Ethnic groups', 'Linguistics', 'Bactria-Margiana', 'Ancient history (700 BCE–565 CE)', 'Medes', 'Achaemenid Empire', 'Alexander and the Seleucids', 'Greco-Bactrian Kingdom', 'Indo-Greek Kingdom', 'Mauryan Empire', 'Indo-Scythians', 'Indo-Parthians', 'History', 'Prehistory', 'Scholarly consensus', 'Alternative views', 'Historical controversy over origins', 'Old Hungarian', 'Modern Hungarian', 'Geographic distribution', 'Official status', 'Dialects', 'History', 'Culture and economy', 'Trade', 'Archaeology', 'Further reading'], ['Name', 'Railways', 'High speed trains', 'Intercity trains', 'Regional trains', 'Rapid transit', 'Rail links with adjacent countries', 'Stations', 'Health', 'Social correlations', 'School performance', 'Job performance', 'Income', 'Crime', 'Health and mortality', 'Other accomplishments', 'Group-IQ or the collective intelligence factor c', 'Group differences', 'Europe', 'North America', 'Oceania', 'South America', 'Lists of islands by continent', 'Lists of islands by body of water', 'List of ancient islands', 'Other lists of islands', 'The first iconoclastic period: 730–787', 'Second Council of Nicaea 787', 'Views in Byzantine iconoclasm', 'Reformation era', 'Other instances', 'Early Islam in Arabia', 'Egypt', 'Ottoman conquests', 'Contemporary events', 'Iconoclasm in India', 'Carbon', 'Iron gall (common ink)', 'Indelible ink', 'See also', 'References', 'Sources', 'Further reading'], ['Naming and etymology', 'Theology', 'Quran', 'Sufism', 'Affiliation', 'As an angel', 'As a Jinn', 'Iconography', 'Disputed essence', 'In academic discourse', 'Canada', 'New Zealand', 'United States', 'Elsewhere', 'Arts, entertainment, and media', 'Films', 'Other arts, entertainment, and media', 'Companies', 'Computing', 'Other uses', 'See also', 'References'], ['Life', 'Works', 'Controversy', 'See also', 'Notes', 'References'], ['Matrimony', 'Marital harmony', 'Conjugal rights and obligations', 'In the Bible', 'In the Talmud and Rabbinic Judaism', 'Home and household', 'Clothing', 'Physical obligations', 'Fidelity', 'Family purity', 'Temirtau', 'Highways', 'Motorways', 'Pipelines', 'Waterways and waterborne transportation', 'Ports and harbors', 'Caspian Sea', 'On rivers', 'Merchant Marine', 'Airports']]



['Wikipedia: Das Boot', 'Wikipedia: European Environment Agency', 'Wikipedia: Function', 'Wikipedia: Feminism', 'Wikipedia: Global Positioning System', 'Wikipedia: The Golden Turkey Awards', 'Wikipedia: Huldrych Zwingli', 'Wikipedia: Hendecasyllable', 'Wikipedia: INTERCAL', 'Wikipedia: Islamabad Capital Territory', 'Wikipedia: Intelsat', 'Wikipedia: Jabal Ram', 'Wikipedia: Jim Bakker']
[['Origins', 'The West India Company', 'Decline', 'New West India Company', 'See also', 'References', 'Further reading', 'Plot', 'Cast', 'Production', 'Sets and models', 'Contemporary virtue ethics', 'Intuitive ethics', 'Hedonism', 'Cyrenaic hedonism', 'Epicureanism', 'State consequentialism', 'Consequentialism', 'Utilitarianism', 'Deontology', 'Kantianism', 'Logistics and support vehicles', 'Aircraft', 'See also', 'Notes', 'References', 'Further reading'], ['See also', 'References', 'Further reading'], ['Novelization', 'Comic books', 'Board game', 'Cancelled projects', 'Anime', 'Sequel', 'Remake', 'References'], ['Hard Euroscepticism', 'Soft Euroscepticism', 'Other terms', 'Eurobarometer surveys', 'History in the European Parliament', '1999–2004', '2004–2009', '2009 elections', '2014 elections', '2019 elections', 'Comparison', 'Benefits of Emacs', 'Benefits of vi', 'Evolution', 'Humor', 'See also', 'Notes', 'References'], ['Bruce–Page Government', 'Government formation', 'Treasurer', 'Opposition and Lyons Government', 'Prime Minister and aftermath', 'World War II', 'Return to the ministry', 'Later life and death', 'Personal life', 'Honours', 'Computing', 'Music', 'Other uses', 'See also', 'Directors and the business of noir', 'Outside the United States', 'Neo-noir and echoes of the classic mode', '1960s and 1970s', '1980s and 1990s', 'Neo noir', '2000s and 2010s', 'Science fiction noir', 'Parodies', 'Identifying characteristics', 'Accountancy and professional services', 'Credit rating agencies', 'Investment trust companies', 'Management consultancies', 'Real estate services companies', 'Law firms', 'Advertising agencies', 'Food', 'Automotive', 'Construction', 'Deaths', 'Holidays and observances', 'Notes', 'References'], ['Early history and Antiquity', 'Middle Ages', 'Successor states of East Francia', 'Modern Period', 'Early Modern Period', 'Later Modern Period', '19th century', '20th century', 'Contemporary Franconia', 'Population', 'Monte Carlo', 'Scalar propagator', 'Equation of motion', 'Wick theorem', "Higher Gaussian moments — completing Wick's theorem", 'Interaction', 'Feynman diagrams', 'Loop order', 'Symmetry factors', 'Connected diagrams: linked-cluster theorem', 'History', 'Predecessors', 'Development', 'Timeline and modernization', 'Awards', 'Religion', 'Languages', 'Migration', 'Education', 'Healthcare system', 'Culture', 'Visual arts', 'Architecture', 'Theatre', 'Literature', 'Free Cities and vicinity', 'Braavos', 'Pentos', 'Volantis', 'Other Free Cities', 'Central Essos', 'Valyria', 'Dothraki Sea', 'Lhazar', "Slaver's Bay", 'Early life', 'Club career', 'West Ham United', 'Stoke City', 'West Bromwich Albion', 'Later career', 'International career', '1966 World Cup', 'World Cup Final', 'Later international career', 'United States', 'Uruguay', 'Venezuela', 'Asia', 'Brunei', 'Cambodia', "People's Republic of China", 'Hong Kong and Macau', 'East Timor', 'India', 'Notes', 'References', 'Sources'], ['General', 'Libretti and scores', 'Modern performances', 'Recordings', 'References', 'Sources', 'Further reading'], ['Etymology', 'History', 'Government and politics', 'Administrative divisions', 'Political reforms and sociopolitical issues', 'Geography', 'Climate', 'Architecture', 'Demographics', 'Economy', 'Other', 'See also', 'Historical context', 'Kushans', 'Sassanian Empire', 'Huna', 'Kidarites', 'Alchon Huns', 'The White Huns', 'Nezak Huns', 'Middle Ages (565–1504 CE)', 'Kabul Shahi', 'Islamic conquest', 'Phonology', 'Prosody', 'Grammar', 'Vowel harmony', 'Nouns', 'Adjectives', 'Verbs', 'Word order', 'Politeness', 'Vocabulary', 'Early symbols similar to Indus script', 'Notes', 'See also', 'References'], ['History', 'Prehistory and antiquity', 'Ancient Rome', 'Middle Ages', 'Early Modern', 'Italian unification', 'Monarchical period', 'Fascist regime', 'Republican Italy', 'Geography', 'Roads', 'Waterways', 'Ports and harbours', 'Air transport', 'Airlines', 'Airports', 'Busiest airports', 'Bus', 'Airport shuttle', 'Local bus', 'Sex', 'Race', 'Public policy', 'Classification', 'High IQ societies', 'See also', 'References', 'Bibliography'], ['History', 'Version Numbers', 'Details', 'Documentation', 'Syntax', 'During the Muslim conquest of Sindh', 'Chola to Paramara dynasty', 'The Somnath temple and Mahmud of Ghazni', 'During Goa inquisitions', 'Contemporary iconoclasm against Hindu temples and monuments', 'In India', 'In Bangladesh', 'In Pakistan', 'In Malaysia', 'In Saudi Arabia', 'History', 'Administration', 'Zones', 'Sectors', 'Union Councils', 'Among Muslim scholars', 'Keeper of Paradise', 'In literature', 'See also', 'References', 'See also', 'References'], ['Early life', 'Career', 'United States', 'Return to Britain', 'BBC career', 'Punk era', 'Later years', 'Personal life', 'Death', 'Life in music', 'Personal life', 'Career', 'Early career', 'PTL', 'Early investigations', 'Sexual relations', 'Age of marriage', 'Consent', 'Intermarriage', 'Marriage in Israel', 'Divorce', 'Agunah', 'Same-sex marriage', 'In antiquity', 'In Orthodox Judaism', 'Airports - with paved runways', 'Airports - with unpaved runways', 'Open Sky regime', 'Heliports', 'Airlines', 'The New Silk Road'], ['References']]



['Wikipedia: Dyula language', 'Wikipedia: Foreign relations of Ethiopia', 'Wikipedia: Ethylene', 'Wikipedia: Eastern Orthodox Church organization', 'Wikipedia: Ephrem the Syrian', 'Wikipedia: Flavor', 'Wikipedia: German Navy', 'Wikipedia: Italian Armed Forces', 'Wikipedia: Indian Institute of Technology Kanpur', 'Wikipedia: Joseph Goebbels', 'Wikipedia: Janusz Zajdel', 'Wikipedia: Armed Forces of the Republic of Kazakhstan']
[[], ['Writing systems and phonology', 'Latin alphabet and orthography', 'Special camera', 'Historical accuracy', 'Release', 'Different versions and home video', 'Reception', 'Critical response', 'Awards', 'Soundtrack', 'Sequel', 'See also', 'Divine command theory', 'Discourse ethics', 'Pragmatic ethics', 'Ethics of care', 'Role ethics', 'Anarchist ethics', 'Postmodern ethics', 'Applied ethics', 'Specific questions', 'Particular fields of application', 'Africa', 'Americas', 'Asia', 'Europe', 'Oceania', 'See also', 'Definition', 'Organization', 'Member countries', 'Reports', 'European environment information and observation network', 'Annual discharge process', 'Executive directors', 'International cooperation', 'Official languages', 'Structure and properties', 'Uses', 'Polymerization', 'Oxidation', 'In EU member states', 'Austria', 'Belgium', 'Bulgaria', 'Croatia', 'Czech Republic', 'Cyprus', 'Denmark', 'Estonia', 'Finland', 'Church governance', 'Jurisdictions', 'Autocephalous Orthodox churches', 'References', 'Further reading'], ['Flavorants or flavorings', 'Taste', 'Color', 'Restrictions and regulations', 'Regulations on natural flavoring', 'Visual style', 'Structure and narrational devices', 'Plots, characters, and settings', 'Worldview, morality, and tone', 'See also', 'Notes', 'Citations', 'Sources', 'Further reading'], ['Property and real estate', 'Other', 'Urban area (suburban) businesses', 'Quality of life', 'Governmental institutions', 'European Insurance and Occupational Pensions Authority', 'Federal Financial Supervisory Authority', 'International Finance Corporation', 'German National Library', 'Trade unions and associations', 'History', 'Terminology', 'Waves', '19th and early-20th centuries', 'Mid-20th century', 'Late 20th and early-21st centuries', 'Third-wave feminism', 'Standpoint theory', 'Towns and cities', 'Language', 'Religions', 'Christianity', 'Judaism', 'Islam', 'Culture', 'Tourism', 'See also', 'Notes', 'Vacuum bubbles', 'Sources', 'Spin ; "photons" and "ghosts"', 'Spin : Grassmann integrals', 'Spin 1: photons', 'Spin 1: non-Abelian ghosts', 'Particle-path representation', 'Schwinger representation', 'Combining denominators', 'Scattering', 'Basic concept of GPS', 'Fundamentals', 'More detailed description', 'User-satellite geometry', 'Receiver in continuous operation', 'Non-navigation applications', 'Structure', 'Space segment', 'Control segment', 'User segment', 'Philosophy', 'Music and dances', 'Cuisine', 'Cinema', 'Sports', 'Mythology', 'Public holidays and festivals', 'See also', 'Notes', 'References', 'Astapor', 'Yunkai', 'Meereen', 'Eastern Essos', 'Red Waste', 'Qarth', 'Unvisited lands', 'Asshai and the Shadow Lands', 'Ibben', 'Yi Ti', 'Managerial career', 'Chelsea', 'Kuwait SC', 'Legacy', 'Personal life', 'Career statistics', 'Club', 'International', 'International goals', 'Managerial statistics', 'Indonesia', 'Iraq', 'Israel', 'Japan', 'Kuwait', 'Lebanon', 'Malaysia', 'Mongolia', 'Myanmar', 'Nepal', 'History', 'Current operations', 'Equipment', 'Ships and submarines', 'Aircraft', 'About', 'Awards given', 'List of Golden Turkey winners', 'Hoax film', 'Reception', 'See also', 'Notes', 'References'], ['Infrastructure', 'Transport', 'Utilities', 'Culture', 'Cuisine', 'Cinema', 'Music', 'Sport and recreation', 'Education', 'Media', 'Life', 'Early years (1484–1518)', 'Zürich ministry begins (1519–1521)', 'First rifts (1522–1524)', 'Zürich disputations (1523)', 'First Disputation', 'Second Disputation', 'Reformation progresses in Zürich (1524–1525)', 'Conflict with the Anabaptists (1525–1527)', 'Reformation in the Confederation (1526–1528)', 'Ghaznavids', 'Ghorids', 'Mongol invasion', 'Timurids', 'Modern era (1504–1973)', 'Mughals, Uzbeks and Safavids', 'Hotaki dynasty', 'Afsharid Invasion and Durrani Empire', 'Barakzai dynasty and British influence', 'Reforms of Amanullah Khan and civil war', 'Word formation', 'Compounds', 'Noteworthy lexical items', 'Points of the compass', 'Two words for "red"', 'Kinship terms', 'Extremely long words', 'Hungarian words in English', 'Writing system', 'Name order', 'In classical poetry', 'In Italian poetry', 'In Polish poetry', 'In Portuguese poetry', 'In Spanish poetry', 'In English poetry', 'See also', 'The Italian hendecasyllable', 'Waters', 'Volcanology', 'Environment', 'Biodiversity', 'Climate', 'Politics', 'Government', 'Law and criminal justice', 'Law enforcement', 'Foreign relations', 'See also', 'References'], ['History', 'Campus', 'Noida Extension centre', 'Helicopter service', 'Data structures', 'Operators', 'Control structures', 'Hello, world', 'Dialects', 'Impact and discussion', 'Popular culture', 'References'], ['In Fiji', 'Mamluk dynasty onward', 'Iconoclasm in East Asia', 'China', 'South Korea', 'Political iconoclasm', 'Damnatio memoriae', 'During the French Revolution', 'Other examples', 'In the Soviet Union', 'Climate', 'Cityscape', 'Civic administration', 'Demographics', 'Islamabad-Rawalpindi metropolitan area', 'Economy', 'Tourism', 'Transport', 'Education', 'Sports', 'History', 'International Governmental Organization:  1964–2001', 'Commercialisation', 'Privatisation', 'Intelsat S.A. (Luxembourg)', 'Operations', 'Bankruptcy', 'In-space refueling demonstration project', 'Early life', 'Nazi activist', 'Propagandist in Berlin', 'Peel sessions', 'Festive Fifty', 'Dandelion Records and Strange Fruit', 'Production (albums)', 'Favourite music', 'Awards and honorary degrees', 'Various shows', 'Legacy', 'See also', 'References', 'Sexual misconduct and resignation', 'Fraud conviction and imprisonment', 'Return to televangelism', 'Prophecies and statements', '2020 coronavirus controversies', 'Works', 'References'], ['In Conservative Judaism', 'In Reform Judaism', 'In Reconstructionist Judaism', 'See also', 'References', 'General composition', 'History', 'Ground Forces', 'Ground forces equipment', 'Airmobile forces']]



['Wikipedia: Desi Arnaz', 'Wikipedia: Dynamic HTML', 'Wikipedia: Europa Island', 'Wikipedia: EV', 'Wikipedia: Finno-Ugric languages', 'Wikipedia: FileMan', 'Wikipedia: Food writing', 'Wikipedia: Demographics of Greece', "Wikipedia: Giovanni d'Andrea", 'Wikipedia: George Fox', 'Wikipedia: Hebrides', 'Wikipedia: International Data Encryption Algorithm', 'Wikipedia: Intelligent design', 'Wikipedia: Josephus on Jesus', 'Wikipedia: Jan and Dean']
[["N'Ko alphabet", 'See also', 'References'], ['Bibliography', 'Notes', 'References'], ['Bioethics', 'Business ethics', 'Machine ethics', 'Military ethics', 'Political ethics', 'Public sector ethics', 'Publication ethics', 'Relational ethics', 'Ethics of nanotechnologies', 'Ethics of quantification', 'References'], ['Further reading', 'See also', 'References'], ['Halogenation and hydrohalogenation', 'Alkylation', 'Oxo reaction', 'Hydration', 'Dimerization to butenes', 'Fruit and flowering', 'Niche uses', 'Production', 'Industrial process', 'Laboratory synthesis', 'France', 'Germany', 'Greece', 'Hungary', 'Ireland', 'Italy', 'Latvia', 'Lithuania', 'Luxembourg', 'Malta', 'Four Ancient Patriarchates', 'Junior Patriarchates', 'Autocephalous Archbishoprics', 'Autocephalous Metropolis', 'Autonomous Orthodox churches', 'Semi-Autonomous churches', 'Orthodox churches with limited self-government but without autonomy', 'Unrecognized churches', 'Churches in resistance (True Orthodoxy)', 'Churches that voluntarily stay outside any communion', 'Life', 'Writings', 'Symbols and metaphors', 'Greek Ephrem', 'Veneration as a saint', 'Translations', 'See also', 'Notes', 'References'], ['Dietary restrictions', 'Flavor creation', 'Determination', 'Scientific resources', 'See also', 'References'], ['Status', 'Origins', 'Structural features', 'Tourism', 'Sights', 'Sights in the Frankfurt Rhein-Main-Area', 'North', 'West', 'East', 'South', 'Consulates', 'Courts', 'Media', 'Fourth-wave feminism', 'Postfeminism', 'Theory', 'Movements and ideologies', 'Political movements', 'Materialist ideologies', 'Black and postcolonial ideologies', 'Social constructionist ideologies', 'Transgender people', 'Cultural movements', 'References', 'Footnotes', 'Bibliography'], ['Nonperturbative effects', 'In popular culture', 'See also', 'Notes', 'References'], ['Applications', 'Civilian', 'Restrictions on civilian use', 'Military', 'Timekeeping', 'Leap seconds', 'Accuracy', 'Format', 'Communication', 'Message format', 'Citations', 'Bibliography'], ['Government', 'General information', 'Plains of Jogos Nhai', 'Sothoryos', 'Ulthos', 'References', 'Secondary sources', 'Primary sources', 'Bibliography'], ['Honours', 'Individual', 'Orders', 'References'], ['North Korea', 'Pakistan', 'Philippines', 'Singapore', 'South Korea', 'Taiwan', 'Thailand', 'Turkey', 'United Arab Emirates', 'Uzbekistan', 'Structure', 'Formations', 'Ranks', 'Officers', 'Petty officers and enlisted seamen', 'Radio and communication stations', 'Future developments', 'See also', 'Further reading (COE CSW)', 'References', 'Early life', 'First travels', 'Religious Society of Friends', 'See also', 'Notes and references', 'Notes', 'References', 'Bibliography', 'Print', 'Legislation and case law', 'Academic publications', 'Institutional reports', 'News and magazine articles', 'First Kappel War (1529)', 'Marburg Colloquy (1529)', 'Politics, confessions, the Kappel Wars, and death (1529–1531)', 'Theology', 'Music', 'Legacy', 'List of works', 'See also', 'Notes', 'References', 'Reigns of Nadir Khan and Zahir Khan', 'Contemporary era (1973–present)', 'Republic of Afghanistan and the end of monarchy', 'Democratic Republic and Soviet war (1978–1989)', 'Foreign interference and civil war (1989–1996)', 'Taliban and the United Front (1996–2001)', "NATO presence and the Emergency Loya Jirga's government", 'See also', 'References', 'Further reading', 'Hungarian names in foreign languages', 'Foreign names in Hungarian', 'Date and time', 'Addresses', 'Vocabulary examples', 'Numbers', 'Time', 'Conversation', 'Recorded Examples', 'See also', 'The Polish hendecasyllable', 'References', 'Geology, geography and climate', 'Military', 'Constituent entities', 'Economy', 'Agriculture', 'Infrastructure', 'Energy', 'Science and technology', 'Tourism', 'Demographics', 'Metropolitan cities and larger urban zone', 'Organization', 'The four branches of Italian Armed Forces', 'Esercito Italiano', 'Marina Militare', 'Aeronautica Militare', 'Carabinieri', 'International stance', 'Operations', 'See also', 'Citations', 'New York Office', 'Admissions', 'Student life', 'National events', "Students' Gymkhana", 'Rankings', 'Academic bodies and activities', 'Undergraduate', 'New academic system', 'Postgraduate', 'Operation', 'Structure', 'Key schedule', 'Decryption', 'In the United States', '2020 demonstrations', 'See also', 'Notes', 'References', 'Further reading'], ['See also', 'References'], ['Satellites', 'Renaming', 'Satellite list', 'Launch vehicles', 'See also', 'References'], ['Data', 'Gauleiter', '1928 election', 'Great Depression', 'Workings of the Ministry', 'Church struggle', 'World War II', 'Plenipotentiary for total war', 'Defeat and death', 'Antisemitism and the Holocaust', 'Family life', 'Further reading'], ['Extant manuscripts', 'Early lives', 'History', '1957–59: formation', 'The Barons', 'Jan & Arnie', 'Life', 'Themes', 'Importance', 'Recognition', 'Bibliography', 'Novels', 'Short-story collections', 'See also', 'Air and air defence forces', 'Aircraft', 'Current inventory', 'Future purchases', 'Naval Forces', 'Equipment', 'Security agencies and commando units', 'Women in the military', 'Educational institutions', 'Higher educational institutions']]



['Wikipedia: Erlang (programming language)', 'Wikipedia: EDT', 'Wikipedia: Amiga Enhanced Chip Set', 'Wikipedia: Frisian languages', 'Wikipedia: United States Foreign Intelligence Surveillance Court', 'Wikipedia: Grandmaster (chess)', 'Wikipedia: GÉANT', 'Wikipedia: Geography of Hong Kong', 'Wikipedia: Homeschooling', 'Wikipedia: History of modern Greece', 'Wikipedia: Foreign relations of Italy', 'Wikipedia: Indoor rower', 'Wikipedia: IWW (disambiguation)', 'Wikipedia: Imbolc', 'Wikipedia: ITSO', 'Wikipedia: Rumi']
[['Early life', 'Professional career', 'Musician and actor', 'I Love Lucy', 'Desilu Productions', 'Personal life', 'Beliefs', 'Marriages', 'Uses', 'Structure of a web page', 'Example: Displaying an additional block of text', 'Document Object Model', 'Dynamic styles', 'See also', 'References'], ['Animal ethics', 'Ethics of technology', 'Moral psychology', 'Evolutionary ethics', 'Descriptive ethics', 'See also', 'Notes', 'References', 'Further reading'], ['Description', 'Ecology', 'Climate', 'History', 'References', 'Further reading'], ['Businesses', 'In economics', 'People', 'Science, technology, and mathematics', 'Other uses', 'See also', 'Biosynthesis', 'Ligand', 'History', 'Nomenclature', 'Safety', 'See also', 'References'], ['Netherlands', 'Poland', 'Portugal', 'Romania', 'Slovakia', 'Slovenia', 'Spain', 'Sweden', 'In other European countries', 'Armenia', 'Churches that are unrecognized', 'Churches that are both unrecognized and not fully Orthodox', 'See also', 'Notes', 'References'], ['See also', 'Division', 'Speakers', 'Status', 'History', 'Old Frisian', 'Middle West Frisian', 'Classification models', 'Common vocabulary', 'Loanwords', 'Numbers', 'Finno-Ugric Swadesh lists', 'People', 'Population genetics', 'See also', 'References'], ['Newspapers', 'Magazines', 'Radio and TV', 'News agency', 'Education and research', 'Johann Wolfgang Goethe University', 'Frankfurt University of Applied Sciences', 'Frankfurt School of Finance and Management', 'Städelschule', 'Music schools and conservatory', 'Demographics', 'United States', 'United Kingdom', 'Sexuality', 'Sex industry', 'Affirming female sexual autonomy', 'Science', 'Biology and gender', 'Feminist psychology', 'Culture'], ['FISA warrants', 'Definition', 'In academia', 'Notable food writers and books', 'Authors', 'Books (not easily attributable to an author)', 'See also', 'References', 'Satellite frequencies', 'Demodulation and decoding', 'Navigation equations', 'Problem description', 'Geometric interpretation', 'Spheres', 'Hyperboloids', 'Inscribed sphere', 'Spherical cones', 'Solution methods', 'Historical overview', 'Urbanization', 'Population', 'By region', 'Fertility rate from 1850 to 1920', 'Life expectancy from 1950 to 2015', 'Vital statistics from 1921', 'Other demographic statistics', 'History', 'Early tournament use', 'Informal and Soviet usage before 1950', 'Official status (1950 onwards)', '1953 regulations', 'Life', 'Works', 'Notes', 'References'], ['Vietnam', 'Yemen', 'Europe', 'Bosnia-Herzegovina', 'Georgia', 'Iceland', 'Monaco', 'North Macedonia', 'Norway', 'Russia'], ['History', 'Technology', 'Imprisonment', 'Encounters with Cromwell', 'James Nayler', 'Suffering and growth', 'The Restoration', 'Travels in America and Europe', 'Last years', 'Book of Miracles', 'Journal and letters', 'Legacy', 'Websites'], ['Climate', 'Bibliography', 'Further reading'], ['Gender studies', 'Law and literature', 'Themes', 'Legacy and honors', 'Selected bibliography', 'Notes', 'References', 'Sources', 'Further reading'], ['Primary sources'], ['Background', 'Bibliography', 'Courses', 'Grammars', 'Others', 'Notes', 'References'], ['Encyclopaedia Humana Hungarica', 'Dictionaries', 'Etymology', 'Outer Hebrides', 'Inner Hebrides', 'Uninhabited islands', 'History', 'Prehistory', 'Celtic era', 'Norwegian control', 'Scottish control', 'Early British era', 'Immigration', 'Languages', 'Religion', 'Education', 'Health', 'Culture', 'Architecture', 'Visual art', 'Literature', 'Philosophy', 'References'], ['History', 'Departments', 'Laboratories and other facilities', 'Computer Centre', "Students' research related activity", 'Notable alumni', 'See also', 'References'], ['Security', 'Weak keys', 'Availability', 'Literature', 'References'], ['Music', 'History', 'Origin of the concept', 'Origin of the term', 'Of Pandas and People', 'Concepts', 'Irreducible complexity', 'Specified complexity', 'Fine-tuned universe', 'Intelligent designer', 'Movement', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'See also', 'References', 'Informational notes', 'Citations', 'Bibliography', 'Further reading'], ['Slavonic Josephus', 'Arabic and Syriac Josephus', 'Potential dependence on Eusebius', 'The Testimonium Flavianum', 'Three perspectives on authenticity', 'Arguments for complete authenticity', 'Pre-modern criticism', 'Arguments for presence of Christian interpolations', 'Internal arguments', 'Christian phraseology', '1959–62: early records', '1963–66: peak years', "1966–68: Berry's car wreck", 'Later years', "Berry's death", 'Legacy', 'Discography', 'References', 'Sources'], ['References'], ['Name', 'Other militarized educational institutions', 'Secondary schools', 'Zhas Ulan Republican Schools', 'Karaganda Republican Military Boarding School', 'Specialized Lyceum "Arystan"', 'References'], []]



[]
[[], []]



['Wikipedia: Recreational drug use', 'Wikipedia: Ramadan', 'Wikipedia: Sino-Tibetan languages', 'Wikipedia: Star Trek: Enterprise', 'Wikipedia: Military of Saint Vincent and the Grenadines', 'Wikipedia: Foreign relations of South Africa', 'Wikipedia: Sleep and learning', 'Wikipedia: Super Bowl XII', 'Wikipedia: Tree (data structure)', 'Wikipedia: Triple', 'Wikipedia: Teleprinter', 'Wikipedia: Tax law', 'Wikipedia: German submarine U-74', 'Wikipedia: Valmet']
[['Promoter CpG hyper/hypo-methylation in cancer', 'Canonical sequences and wild-type', 'Diseases that may be associated with variations', 'Constitutive vs regulated', 'Use of the term', 'See also', 'References'], ['Early years', 'Consolidation of the royal demesne', 'Expulsion of Jews', 'Wars with his vassals', 'War with Henry II', 'Third Crusade', 'Conflict with England, Flanders and the Holy Roman Empire', 'Conflict with King Richard the Lionheart, 1191–1199', 'New World', 'Old World', 'Quail in cookery', 'See also', 'References'], ['Theatres', 'World Choir Games', 'Architecture', 'Art Nouveau', 'Sports', 'Sports clubs', 'Sports facilities', 'Sports events', 'Transport', 'Universities', 'Measurement', 'Standards', 'Production resistors', 'Resistance standards', 'Resistor marking', 'Preferred values', 'SMT resistors', 'Industrial type designation', 'Electrical and thermal noise', 'Failure modes', 'Water waves', 'Acoustics', 'See also', 'References'], ['Etymology', 'History', 'Important dates', 'Beginning', 'Prevention', 'Epidemiology', '2006/07 outbreak in Kenya and Somalia', '2007 outbreak in Sudan', '2010 South Africa outbreak', '2016 outbreak in Uganda', '2018 outbreak in Kenya', '2018–19 outbreak in Mayotte', 'Biological weapon', 'Research', 'Rat-free areas', 'In culture', 'Asian cultures', 'European cultures', 'Terminology', 'Fiction', 'The Pied Piper', 'See also', 'References', 'Further reading', 'History', 'Early work', 'Shafer and Benedict', 'Study of literary languages', 'Fieldwork', 'Distribution', 'Businesses and organizations', 'In politics', 'Other businesses and organizations', 'In science, math, and engineering', 'In sports', 'Other uses', 'See also', 'Series overview', 'General', 'Temporal Cold War', 'The Xindi', 'Founding of the Federation', 'Cast and characters', 'See also'], ['References', 'History', 'Pre-Apartheid', 'Apartheid', 'Post-apartheid', 'United Nations Security Council', 'Hydrostatic skeleton (hydroskeleton)', 'Organisms with skeletons', 'Invertebrates', 'Sponges', 'Echinoderms', 'Vertebrates', 'Fish', 'Birds', 'Marine mammals', 'Humans', 'History and etymology', 'See also', 'Notes', 'References'], ['1701–1800', '1801–1900', 'Second Boer War', 'World War I', 'World War II', 'Training', 'Accuracy', 'U.S. military', 'Russian Army', 'Targeting, tactics and techniques', 'Definition', 'Other properties', 'SI multiples', 'See also', 'Notes', 'References'], ['History', 'Raid by the Secret Service', 'Kickstarter project', 'Games published', 'Card games', 'Board games', 'Role-playing games', 'Types', 'DSSP classification', 'SST classification ===', 'Experimental determination', 'Prediction', 'Applications', 'See also', 'References', 'Membership', "Women's auxiliaries", 'Architecture', 'Shriners Hospitals for Children', 'Parade unit', 'Other events', 'See also', 'References'], ['Starting lineups', 'Officials', 'Overview of Vikings’ Super Bowls', 'Aftermath', 'References', 'Elections', '1984 election', '1990 election', 'Opposition (1990–2006)', 'Return to government', '2018 protests', 'Ideology', 'Principles of government', 'Policies and programs', 'Foreign policy', 'Responsibilities of research institutions', 'Responsibilities of uninvolved scientific colleagues', 'Responsibility of journals', 'Consequences for science', 'Consequences for those who expose misconduct', 'Exposure of fraudulent data', 'Data sharing', 'Notable individual cases', 'See also', 'References', 'History and details', 'Criticism', 'Less strict standard may lead to greater censorship', 'Problem of jurisdiction in the Internet age', 'See also', 'References', 'Culture', 'Literature', 'Visual arts', 'Music and performing arts', 'Cinema', 'Cuisine', 'Events', 'Media', 'Transport', 'Air', 'Formulation and detailed arguments', 'Logical problem of evil', 'Evidential problem of evil', 'Problem of evil and animal suffering', 'Responses, defences and theodicies', 'Skeptical theism', '"Greater good" responses', 'Remakes and other related films', 'In other media', 'Legacy', 'Critical analysis', 'See also', 'Notes', 'References', 'Bibliography', 'Further reading'], ['Geology', 'Structural engineering', 'Aviation', 'Tetrahedral graph', 'See also', 'References'], ['See also', 'References', 'Further reading'], ['History', 'See also'], ['References', 'Stage play', 'Spin-offs', 'References', 'Further reading'], [], ['Major issues', 'Education', 'Tagalog words of foreign origin', 'Cognates with other Philippine languages', 'Austronesian comparison chart', 'Religious literature', 'Examples', "Lord's Prayer", 'Universal Declaration of Human Rights', 'Numbers', 'Months and days', 'Time', 'Section 3: Presidential responsibilities', 'Clause 1: State of the Union', 'Clause 2: Making recommendations to Congress', 'Clause 3: Convening and adjourning of Congress', 'Clause 4: Receiving foreign representatives', 'Clause 5: Caring for the faithful execution of the law', "Clause 6: Officers' commissions", 'Section 4: Impeachment', 'See also', 'References', 'Gisborne Court', 'Whittle Building', 'Fen Court', 'Ward Library', 'Gardens', 'William Stone Building', 'Trumpington Street', "Master's Lodge", 'The Hostel', 'Cosin Court', 'References', 'Works cited', 'Further reading', 'Biographies', 'State studies', 'Newspapers', 'Primary sources'], [], ['All set index articles', 'Articles with short description', 'Americas', 'The Roosevelt Corollary and Dollar Diplomacy', 'Hugo Chávez government', 'Asia', 'Europe', 'Oceania', 'Multilateral Organizations', 'Organisation of American States', 'Summits of the Americas', 'Indigenous Leaders Summits of Americas (ILSA)', 'Notes', 'References', 'History']]



['Wikipedia: Adobe Photoshop', 'Wikipedia: Quagmire (disambiguation)', 'Wikipedia: Republicanism', 'Wikipedia: Rogue state', 'Wikipedia: Adobe RoboHelp', 'Wikipedia: Steven Spielberg', 'Wikipedia: Foreign relations of Saint Vincent and the Grenadines', 'Wikipedia: String theory', 'Wikipedia: Sabermetrics', 'Wikipedia: Science fiction fandom', 'Wikipedia: Set (card game)', 'Wikipedia: Set-top box', 'Wikipedia: The Resistible Rise of Arturo Ui', 'Wikipedia: Track cycling', 'Wikipedia: Tadoma', 'Wikipedia: Tokamak', 'Wikipedia: Article Three of the United States Constitution', 'Wikipedia: Ulvophyceae', 'Wikipedia: German submarine U-2511', 'Wikipedia: Virgin Islands']
[['Early history', 'File format', 'Plugins', 'Photoshop tools', 'Pen tool', 'Conflict with King John, 1200–1206', 'Alliances against Philip, 1208–1213', 'Battle of Bouvines, 1214', 'Marital problems', 'Appearance and personality', 'Issue', 'Later years', 'Portrayal in fiction', 'Ancestry', 'References', 'People', 'Arts, entertainment and media', 'Fictional entities', 'Games', 'Other arts, entertainment and media', 'Notable residents', 'Twin towns – sister cities', 'See also', 'References', 'Notes', 'Bibliography'], ['See also', 'References'], ['Reasons for use', 'Evolution', 'Risks', 'Responsible use', 'Prevention', 'Demographics', 'Australia', 'United States', 'Night of Power', 'Eid', 'Religious practices', 'Fasting', 'Suhoor', 'Iftar', 'Charity', 'Nightly prayers', 'Recitation of the Quran', 'Cultural practices', 'See also', 'References'], [], ['Features', 'Revision history', 'Contemporary languages', 'Homeland', 'Classification', 'Li (1937)', 'Benedict (1942)', 'Shafer (1955)', 'Matisoff (1978, 2015)', 'Starostin (1996)', 'Van Driem (1997, 2001)', 'Van Driem (2001, 2014)', 'Early life', 'Career', '1970s', '1980s', '1990s', '2000s', 'Production', 'Conception', 'Crew', 'Casting', 'Sets and filming', 'Music', 'Opening sequence and theme song', 'Cancellation', 'Season five', 'Broadcast and release'], ['Bilateral relations', 'See also', 'Africa', 'Americas', 'Asia', 'Europe', 'Oceania', 'South Africa and the Commonwealth of Nations', 'See also', 'References'], ['Videos', 'Bones and cartilage', 'Bone', 'Cartilage', 'Culture', 'Movies', 'See also', 'References'], ['Increased learning', 'Electrophysiological evidence in rats', 'Sleep in relation to school', 'See also', 'References'], ['Range finding', 'Hide sites and hiding techniques', 'Shot placement', 'Target acquisition', 'Relocating', 'Sound masking', 'Psychological warfare', 'Counter-sniper tactics', 'Irregular and asymmetric warfare', 'War in Iraq', 'Fundamentals', 'Strings', 'Extra dimensions', 'Dualities', 'Miniatures', 'Computer games', 'Dice games', 'Magazines', 'Publication history', 'Mentions in third-party media', 'References'], ['Further reading'], ['Early history', 'Origins and history', 'By country', 'Sweden', 'UK', 'Background', 'Staubach v. Morton', "Morton and the Broncos' Orange Crush Defense", "Staubach and the Cowboys' Doomsday Defense", 'Playoffs', 'Super Bowl pregame news and notes', 'Broadcasting', 'Entertainment', 'Cuban assistance', 'Cuban assistance after the revolution', 'Relationship with eastern bloc intelligence agencies', 'Pre-Revolution', 'Cooperation with foreign intelligence agencies during the 1980s', 'Educational assistance', '1980 literacy campaign', 'Health care', 'Vocational assistance', 'Industry and infrastructure'], ['History', 'Games', 'TV signal sources', 'UHF converter', 'Cable converter', 'Closed captioning box', 'Digital television adapter', 'Antarctica base', 'Road', 'Rail', 'Shipping', 'Sport', 'Notable people', 'Politicians', 'Actors', 'Authors', 'Sports persons', 'Free will', 'Process theodicy', 'Soul-making or Irenaean theodicy', 'Cruciform theodicy', 'Afterlife', 'Deny evil exists', 'Evil as the absence of good (privation theory)', 'Evil as illusory', 'Turning the tables', 'Hidden reasons', 'History and description', 'Characters and settings', 'Alternative titles', 'History', 'Main centres', 'Race formats', 'Sprint', 'Endurance', 'Major competitive events', 'Common uses', 'Terminology', 'Preliminary definition', 'Drawing trees', 'Common operations', 'Traversal and search methods', 'Representations', 'Generalizations', 'Digraphs', 'Sports', 'Places', 'Transportation', 'Science and technology', 'Other uses', 'See also', 'History', 'Ways in which teleprinters were used', 'Teleprinter operation', 'Control characters', 'Answer back mechanism', 'Manufacturers', 'Creed & Company', 'Kleinschmidt Labs', 'Taxation by jurisdiction', 'See also', 'References', 'Common phrases', 'Proverbs', 'See also', 'References', 'Further reading'], [], ['Section 1: Federal courts', 'Number of courts', "St Peter's Terrace", 'Arms', 'Grace', 'People associated with Peterhouse', 'Nobel laureates', 'Gallery', 'See also', 'Notes', 'References'], ['Evolution', 'See also', 'References', 'Set indices on ships', 'Short description is different from Wikidata', 'Submarines of Germany', 'Other international organisations to which Venezuela belongs', 'Betancourt Doctrine', 'International disputes', 'Border dispute', 'See also', 'Notes', 'Historical products', 'Roots in the 18th century', '1946–1998 Creation of Valmet', '1999–2012 Valmet and Rauma merge as Metso', '2013– Valmet reborn', 'Organization and products', 'Services', 'Automation', 'Pulp and Energy', 'Pulp production']]



['Wikipedia: Peripheral nervous system', 'Wikipedia: Crossbow bolt', 'Wikipedia: Reich', 'Wikipedia: Replicant', 'Wikipedia: Samoa', 'Wikipedia: Snooker', 'Wikipedia: Sarah Michelle Gellar', 'Wikipedia: Specie', 'Wikipedia: Systematics', 'Wikipedia: Stella Artois', 'Wikipedia: Silver Star', 'Wikipedia: Names of God in Judaism', 'Wikipedia: The Threepenny Opera', 'Wikipedia: Teletubbies', 'Wikipedia: Toruń', 'Wikipedia: U', 'Wikipedia: Federalist Party', 'Wikipedia: Ukulele']
[['Clone stamp tool', 'Shape tools', 'Measuring and navigation', 'Selection tools', 'Cropping', 'Slicing', 'Moving', 'Marquee', 'Lasso', 'Magic wand', 'Further reading'], ['Structure', 'Other uses', 'Parts of Crossbow bolt', 'Size & Weight of bolt', 'Etymology', 'Usage throughout German history', 'Frankish Empire', 'Holy Roman Empire', 'Modern age', 'German Reich', 'Historical development of republicanism', 'Classical antecedents', 'Ancient Greece', 'Ancient Rome', 'Renaissance republicanism', 'Dutch Republic', 'Polish–Lithuanian Commonwealth', 'Enlightenment republicanism', 'Corsica', 'England', 'Society and culture', 'Common recreational drugs', 'Routes of administration', 'Types', 'Depressants', 'Antihistamines', 'Analgesics', 'Tranquilizers', 'Stimulants', 'Euphoriants', 'Observance rates', 'Laws', 'Health effects', 'Crime rates', 'Ramadan in polar regions', 'Ramadan in Earth orbit', 'Employment during Ramadan', 'See also', 'Notes', 'References', 'History of the term', 'Later terms', 'Usage by and against Turkey', 'See also', 'References', 'Further reading'], ['Adobe RoboHelp Server', 'References'], ['Blench and Post (2014)', 'Menghan Zhang, Shi Yan, et al. (2019)', 'Typology', 'Word order', 'Morphology', 'Vocabulary', 'External classification', 'Notes', 'References', 'Citations', '2010s', 'Upcoming projects', 'Projects on hold', 'Production credits', 'Onscreen appearances', 'Involvement in video games', 'Themes', 'Personal life', 'Marriages and children', 'Religion', 'Episodes', 'Time slots', 'Syndication and foreign broadcast', 'Home media', 'Other appearances', 'Novelizations', 'Other', 'Influence', 'Critical reception', 'Accolades', 'References', 'History', 'Early Samoa', 'History', 'Rules', 'Objective', 'Early life', 'Career', 'Early credits and prominence (1981–1996)', 'Worldwide recognition (1997–2003)', 'Continued film roles (2004–2010)', 'See also', 'Arab Spring', 'Notable military marksmen and snipers', '17th century', '18th century', '19th century', '20th century', '21st century', 'See also', 'Notes', 'Further reading', 'Branes', 'M-theory', 'Unification of superstring theories', 'Matrix theory', 'Black holes', 'Bekenstein–Hawking formula', 'Derivation within string theory', 'AdS/CFT correspondence', 'Overview of the correspondence', 'Applications to quantum gravity', 'History', 'Production', 'Advertising', 'United Kingdom', 'Controversies', 'Traditional measurements', 'Batting measurements', 'Pitching measurements', 'Higher mathematics', 'Quantitative analysis in baseball', 'Related rates in baseball', 'Momentum and force', 'Applications', 'Applied statistics', 'Machine learning for predicting game outcome', 'Italy', 'Conventions', 'Science-fiction societies', 'Offshoots and subcommunities', 'Fanspeak', 'In fiction', 'Fans are slans', 'Figures in the history of fandom', 'See also', 'References', 'Game summary', 'First Quarter', 'Second Quarter', 'Third Quarter', 'Fourth Quarter', 'Box score', 'Final statistics', 'Statistical comparison', 'Individual leaders', 'Records Set', 'Ministry of Culture', 'Economy', 'Women in revolutionary Nicaragua', 'Relationship with the Catholic Church', 'Human rights violations by the Sandinistas', 'Politicization of human rights', 'United States government allegations of support for foreign rebels', 'Symbols', 'In popular culture', 'In films', 'Basic combinatorics of Set', 'Complexity', 'References'], ['Professional set-top box', 'Hybrid box', 'IPTV receiver', 'Features', 'Programming features', 'Electronic program guide', 'Favorites', 'Timer', 'Convenience features', 'Controls on the box', 'Musicians and composers', 'See also', 'Notes', 'References', 'Further reading'], ['Previous lives and karma', 'Pandeism', 'Evil God Challenge', 'Monotheistic religions', 'Christianity', 'The Bible', 'Judgment Day', 'Irenaean theodicy', 'Augustinian theodicy', 'St. Thomas Aquinas', 'Production history', 'Critical response', 'In popular culture', 'References'], ['Olympic Games', 'World Championships', 'World Cup', 'Ranking', 'Gender in track cycling', 'Riding position', 'Records', 'See also', 'References'], ['Data type versus data structure', 'Recursive', 'Type theory', 'Mathematical terminology', 'Mathematical definition', 'Unordered tree', 'Sibling sets', 'Using set inclusion', 'Well-founded trees', 'Using recursive pairs', 'Plot', 'Characters', 'Main characters', 'Supporting characters', 'Release', 'Morkrum', 'Olivetti', 'Siemens & Halske', 'Teletype Corporation', 'Telex', 'Teletypesetter', 'Obsolescence of teleprinters', 'See also', 'References', 'Further reading', 'See also', 'References'], ['Etymology', 'History', 'First steps', "Lavrentiev's letter", 'Magnetic confinement', 'Richter and the birth of fusion research', 'New ideas', 'Tenure', 'Salaries', 'Section 2: Judicial power, jurisdiction, and trial by jury', 'Clause 1: Cases and controversies', 'Eleventh Amendment and state sovereign immunity', 'Clause 2: Original and appellate jurisdiction', 'Judicial review', 'Clause 3: Federal trials', 'Section 3: Treason', 'See also', 'History', 'Pronunciation and use', 'English', 'Rise', 'Religious dimension', 'Effects of foreign affairs', 'Jay Treaty', 'Whiskey Rebellion', 'Design', 'Service history', 'Fate', 'References', 'Bibliography'], ['Etymology', 'History', 'Historical affiliations', 'Demography', 'Traffic control', 'See also', 'References', 'Energy production', 'Biomass conversion technologies', 'Paper', 'Research and development', 'Recognitions', 'HR Policy', 'See also', 'References']]



['Wikipedia: Phase velocity', 'Wikipedia: Reggae', 'Wikipedia: Robert Frost', 'Wikipedia: Roman Jakobson', 'Wikipedia: Spike Lee', 'Wikipedia: South Georgia and the South Sandwich Islands', 'Wikipedia: Sonic screwdriver', 'Wikipedia: Sine (disambiguation)', 'Wikipedia: Standard Alphabet by Lepsius', 'Wikipedia: Streptococcus', 'Wikipedia: Single UNIX Specification', 'Wikipedia: Scatology', 'Wikipedia: Team pursuit', 'Wikipedia: User Friendly', 'Wikipedia: Vangelis']
[['CS (version 8)', 'CS2 (version 9)', 'CS3 (version 10)', 'CS4 (version 11)', 'CS5 (version 12)', 'CS6 (version 13)', 'CC (version 14)', 'CC 2014 (version 15)', 'CC 2015 (version 16 and version 17)', 'CC 2017 (version 18)'], ['Relation to group velocity, refractive index and transmission speed', 'See also', 'Application to biological research', 'Formal background', 'Mathematical description', 'Note about primitive matrices', 'Alternative formulations', 'Simple example', 'References', 'Further reading', 'References', 'Etymology', 'History', 'Canada', 'Jamaica', 'New Zealand', 'United Kingdom', 'The Netherlands', 'Norway', 'Sweden', 'Spain', 'Neo-republicanism', 'Democracy', 'Biography', 'Early years', 'Adult years', 'Personal life', 'Work', 'Style and critical response', 'By generation', "Generation of Julius Caesar's grandfather", "Generation of Julius Caesar's father", "Julius Caesar's generation", "Generation of Julius Caesar's daughter", 'Generation of the Octavias', "Antonia Maior's generation", "Antonia Minor's generation", "Agrippina the Elder's generation", "Agrippina the Younger's generation", 'Semantics', 'do', 'parse', 'Implementations', 'Legacy', 'See also', 'References', 'Further reading'], ['Life and work', 'In Czechoslovakia', 'Escapes before the war', 'Career in the United States and later life', 'Intellectual contributions', 'The communication functions', 'Branches', 'History', 'Common roots and ancestry', 'Evolution', 'Differentiation', 'Linguistic history', 'Features', 'Consonants', 'Vowels', 'Length, accent, and tone', 'Praise and criticism', 'Other', 'See also', 'References', 'Further reading'], ['Series overview', 'Episodes', 'Season 1 (2001–02)', 'Season 2 (2002–03)', 'Season 3 (2003–04)', 'Season 4 (2004–05)', 'See also', 'References', 'Human rights', 'Christian revival', 'Geography', 'Climate', 'Ecology', 'Economy', 'Demographics', 'Health', 'Ethnic groups', 'Languages'], ['History', 'South Georgia', 'Television', 'Other works', 'Awards and nominations', 'References'], [], ['Mathematics', 'Places', 'Christianity', 'St. Augustine and signs', 'See also', 'References'], ['First superstring revolution', 'Second superstring revolution', 'Criticism', 'Number of solutions', 'Compatibility with dark energy', 'Background independence', 'Sociology of science', 'Notes and references', 'Notes', 'Citations', 'Etymology', 'Classification', 'More than one tribe', 'Tribes names in classical sources', 'Northern bank of the Danube', 'Approaching the Rhine', 'The Elbe', 'East of the Elbe', 'Baltic Sea', 'Development', 'Roger Wilco', 'Games', 'Space Quest: The Sarien Encounter', "Space Quest II: Vohaul's Revenge", 'Space Quest III: The Pirates of Pestulon', 'Space Quest IV: Roger Wilco and the Time Rippers', 'Space Quest V: Roger Wilco – The Next Mutation', 'Computing', 'Films', 'Literature', 'Music', 'Groups', 'Albums', 'Songs', 'Physics and mathematics', 'Sports', 'Technology', 'Background', 'Pittsburgh Steelers', 'Dallas Cowboys', 'Playoffs', 'Super Bowl pregame news and notes', 'Betting line', 'Broadcasting', 'Entertainment', 'Game summary', 'National Assembly elections', 'See also', 'References', 'Bibliography'], ['History', '1980s: Motivation', '1988: POSIX', 'Etymology', 'Psychology', 'Literature', 'Tzevaot', 'Jah', 'Other names and titles', 'Adonai', 'Adoshem', 'Baal', 'Ehyeh asher ehyeh', 'Elah', 'El Roi', 'Elyon', 'Buddhism', 'Hinduism', 'Philosophers', 'Epicurus', 'David Hume', 'Gottfried Leibniz', 'Thomas Robert Malthus', 'Immanuel Kant', 'Corollaries', 'Problem of good', 'Russia', 'Italy', 'Roles', 'Synopsis', 'Overview', 'Prologue', 'Act 1', 'Act 2', 'Act 3', 'Musical numbers', 'Musical works', 'See also', 'References', 'Bibliography', 'Further reading'], ['Online works by Adorno', 'Women', 'See also', 'References', 'Generating structure', 'Definition using binary trees', 'Encoding by sequences', 'Per-level ordering', 'See also', 'Other trees', 'Notes', 'References', 'Further reading'], ['Analysis', 'Awards and nominations', 'Other media', 'In popular culture', 'CD single', 'Mobile app', 'Tiddlytubbies Animated Web Series', 'References'], ['Education', 'Healthcare', 'Media', 'Sports', 'Notable residents', 'International relations', 'Twin towns – Sister cities', 'Gallery', 'Significant depictions in popular culture', 'See also', 'ITER', 'Tokamak design', 'Basic problem', 'Tokamak solution', 'Other issues', 'Breakeven, Q, and ignition', 'Advanced tokamaks', 'Plasma disruptions', 'Plasma heating', 'Ohmic heating ~ inductive mode', 'Section 1: Full faith and credit', 'Section 2: Rights of state citizens; rights of extradition', 'Clause 1: Privileges and Immunities', 'Clause 2: Extradition of fugitives', 'Clause 3: Fugitive Slave Clause', 'Section 3: New states and federal property', 'Clause 1: New states', 'Clause 2: Property Clause', 'Section 4: Obligations of the United States', 'Republican government', 'History', 'Main characters', 'A.J. Garrett', 'Interpretations', 'Electoral history', 'Presidential elections', 'Congressional representation', 'See also', 'References', 'Bibliography'], ['Post-1990 revival', 'Construction', 'Types and sizes', 'Related instruments', 'Audio samples', 'See also', 'References', 'Bibliography'], ['All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'Operators and theorems', 'Differential operators', 'Integral theorems', 'Applications', 'Linear approximations', 'Optimization', 'Physics and engineering', 'Generalizations', 'Different 3-manifolds', 'Other dimensions']]



['Wikipedia: Pitot tube', 'Wikipedia: Qing dynasty', 'Wikipedia: Rainhill Trials', 'Wikipedia: Red Hat', 'Wikipedia: Rudolph Pariser', 'Wikipedia: The Doctor (Star Trek: Voyager)', 'Wikipedia: Sleep', 'Wikipedia: Sin', 'Wikipedia: Stellar classification', 'Wikipedia: Σ-algebra', 'Wikipedia: Theodicy', 'Wikipedia: Thermophile', 'Wikipedia: Track time trial', 'Wikipedia: Tangent space', 'Wikipedia: Terrestrial Time', 'Wikipedia: Tigris', 'Wikipedia: Article Five of the United States Constitution', 'Wikipedia: United States Army', 'Wikipedia: Usability testing', 'Wikipedia: Vince Lombardi']
[['CC 2018 (version 19)', 'CC 2019 (version 20)', '2020 (version 21)', 'Photoshop Mix', 'See also', 'References', 'Further reading'], ['References', 'Footnotes', 'Bibliography', 'Names', 'History', 'Formation of the Manchu state', 'Nurhaci', 'Hong Taiji', 'Precursors', 'Emergence in Jamaica', 'International popularity', 'Reggae heritage', 'Musical characteristics', 'Drums and other percussion', 'Bass', 'Guitars', 'Keyboards', 'Horns', 'Democracy and republic', 'Constitutional monarchs and upper chambers', 'See also', 'References', 'Further reading', 'General', 'Europe'], ['Themes', 'Influenced by', 'Influenced', 'Awards and recognition', 'Pulitzer Prizes', 'Legacy and cultural influence', 'Selected works', 'Poetry collections', 'Plays', 'Letters', "Poppaea Sabina's generation", 'References', 'Sources'], ['History', 'IBM subsidiary', 'Fedora Project', 'Business model', 'Legacy', 'Bibliography', 'Notes', 'References', 'Further reading'], ['Grammar', 'Selected cognates', 'Influence on neighboring languages', 'Detailed list', 'See also', 'Notes', 'References'], ['Early life', 'Career', '1980s', '1990s', '2000s', '2010s', '2020s'], ['Casting', 'Depiction', 'Religion', 'Education', 'Culture', 'Tattooing', 'Contemporary culture', 'Sport', 'See also', 'References', 'Further reading'], ['17th–19th centuries', '20th and 21st centuries', 'South Sandwich Islands', 'Geography', 'South Georgia group', 'Islands within the South Georgia group', 'Extreme points', 'Climate', 'Government', 'Economy', 'Functions', 'History', '1968–1982 and 1996', '2005–2010', '2010–2015', 'Sonic sunglasses', '2015–2017', '2018', 'See also', 'Physiology', 'Non-REM and REM sleep', 'Vowels', 'Consonants', 'Tones', 'See also', 'References', 'Bibliography', 'Further reading', 'Popular science', 'Textbooks'], ['Cultural characteristics', 'Language', 'Historical events', 'Ariovistus and the Suebi in 58 BC', 'Caesar and the Suebi in 55 BC', 'Rhine crossing of 29 BC', 'The victory of Drusus in 9 BC', 'Roman defeat in 9 AD', 'Aftermath of 9 AD', 'Marcomannic wars', 'Space Quest 6: Roger Wilco in The Spinal Frontier', 'Space Quest 6: The Spinal Frontier Interactive Demo', 'In-fiction future sequels', "Roger Wilco's Spaced Out Game Pack", 'Planet Pinball', 'Hoyle Book of Games', 'Cancelled games', 'Space Quest VII: Return to Roman Numerals', 'Space Quest', 'Collections', 'Television', 'Other uses', 'See also', 'First Quarter', 'Second Quarter', 'Third Quarter', 'Fourth Quarter', 'Aftermath', 'Box score', 'Final statistics', 'Statistical comparison', 'Individual statistics', 'Records Set', 'Pathogenesis and classification', 'Alpha-hemolytic', 'Pneumococci', 'The viridans group: alpha-hemolytic', 'Beta-hemolytic', 'Group A', 'Group B', 'Group C', '1990s: Spec 1170', '1994: Single UNIX Specification', '1995 Edition', '1997: Single UNIX Specification version 2', '2001: Single UNIX Specification version 3, POSIX:2001', '2004: POSIX:2004', '2008: Single UNIX Specification version 4, POSIX:2008', '2013 Edition', '2016 Edition', '2018 Edition', 'See also', 'Sources', 'References', 'Eternal One', 'Hashem', 'Shalom', 'Shekhinah', 'Uncommon or esoteric names', 'Writing divine names', 'Kabbalistic use', 'Erasing the name of God', 'See also', 'Explanatory notes', 'Morality', 'See also', 'Notes and references', 'Further reading'], ['Encyclopedias', 'Prelude', 'Notes', 'Reception', 'Opera or musical theatre?', '"Mack the Knife"', '"Pirate Jenny"', '"The Second Threepenny Finale"', 'Revivals', 'United States', 'Film adaptations', 'Classification', 'Thermophile versus mesophile', 'Gene transfer and genetic exchange', 'See also', 'References'], ['Race format', 'Qualifying', 'Major races', 'See also', 'References', 'Informal description', 'Formal definitions', 'Definition via tangent curves', 'History', 'Current definition', 'Realization', 'Approximation', 'Notes'], ['Geography', 'Magnetic compression', 'Neutral-beam injection', 'Radio-frequency heating', 'Tokamak particle inventory', 'Experimental tokamaks', 'Currently in operation', 'Previously operated', 'Planned', 'See also', 'Notes', 'Protection from invasion and domestic violence', 'See also', 'References', 'Further reading'], ['The April Fools Prank', 'Link of the day (LOTD)', 'Iambe Intimate & Interactive', 'Bibliography', 'Recurring themes', 'Plagiarism', 'Critical reaction', 'References'], ['Mission', 'History', 'Origins', '19th century', 'Early wars on the Frontier', 'What it is not', 'Methods', 'Hallway testing', 'Remote usability testing', 'Early life', 'Career', "1963–1974: Early solo projects and Aphrodite's Child", '1975–1980: Move to London, breakthrough, and Jon and Vangelis', '1981–2002: Mainstream success', 'Film and television', 'Theatre and stage productions', 'Solo albums and collaborations', 'Sporting events', 'See also', 'References', 'Citations', 'Sources'], []]



['Wikipedia: PaintShop Pro', 'Wikipedia: Pittsburgh', 'Wikipedia: Repetitive strain injury', 'Wikipedia: Rotary dial', 'Wikipedia: Rendezvous with Rama', 'Wikipedia: SGI', 'Wikipedia: History of Samoa', 'Wikipedia: Sidehill gouger', 'Wikipedia: Super Bowl XIV', 'Wikipedia: Trick-taking game', 'Wikipedia: Terence Hill', 'Wikipedia: Tennessee', 'Wikipedia: Tatra 600', 'Wikipedia: Turbopump', 'Wikipedia: Unidentified flying object']
[['History', 'Picture tubes', 'Ultimate edition', 'Other related versions and products', 'License management software', 'Theory of operation', 'Aircraft', 'Industry applications', 'See also', 'References'], ['Claiming the Mandate of Heaven', "Kangxi Emperor's reign and consolidation", 'Reigns of the Yongzheng and Qianlong emperors', 'Rebellion, unrest and external pressure', 'Self-strengthening and the frustration of reforms', 'Reform, revolution, collapse', 'Government', 'Central government agencies', 'Administrative divisions', 'Territorial administration', 'Vocals', 'Lyrical themes', 'Criticism of dancehall and ragga lyrics', 'Global significance', 'Americas', 'Europe', 'Africa', 'Asia and the Pacific', 'Australia and New Zealand', 'Cod Reggae', 'Signs and symptoms', 'Definition', 'Risk factors', 'Occupational risk factors', 'Psychosocial factors', 'Other', 'See also', 'Notes', 'Sources'], ['Background', 'Rules', 'Entries', 'Competition', 'Rocket 150', 'Restaging', 'References'], ['Programs and projects', 'One Laptop per Child', 'GNOME', 'Dogtail', 'MRG', 'Opensource.com', 'Red Hat Exchange', 'Red Hat Single Sign On', 'Red Hat Subscription Management', 'CEPH Storage', 'References'], ['Companies', 'Other uses', 'See also', 'Professor', 'Commercials', 'Artistic style and themes', 'Themes', 'Influences', 'Filmography', 'Awards and nominations', 'Personal life', 'Controversy', 'References', 'Emergency Command Hologram', 'Backup copies', 'Name', 'Characteristics', 'Emergency Medical Hologram', 'Enterprise-E EMH', 'Reception', 'See also', 'Notes'], ['Early history', 'After European contact', '18th century', 'Fishing', 'Tourism', 'Postage stamps', 'Currency', 'Internet domain registration', 'Flora and fauna', 'Plants', 'Birds', 'Mammals', 'Marine ecosystem', 'Other appearances', 'Licensed media', 'BBC Books', 'Big Finish audio dramas', 'Doctor Who comics', 'Virgin Adventures', 'Red Nose Day', 'Unlicensed media', 'Public appearances', 'Related devices', 'Awakening', 'Timing', 'Circadian clock', 'Process S', 'Social timing', 'Distribution', 'Naps', 'Genetics', 'Quality', 'Ideal duration', 'In popular culture', 'See also', 'References'], ['Etymology', "Bahá'í", 'Buddhism', 'Christianity', 'Hamartiology', 'Original sin', 'Islam', 'Judaism', 'Migration period', 'Suevian Kingdom of Gallaecia', 'Migration', 'Settlement', 'Establishment', 'Last years of the kingdom', 'Defeat by the Visigoths', 'Religion', 'Conversion to Arianism', 'Conversion to Orthodox Trinitarianism', 'Collection bonus material', 'Fall 2006 releases', 'Promotional items', 'Books and comics', 'Fan-made games', 'Legacy', 'SpaceVenture', 'See also', 'References', 'Conventional color description', 'Modern classification', 'Harvard spectral classification', 'Yerkes spectral classification', 'Spectral peculiarities', 'History', 'Secchi classes', 'Draper system', 'Harvard system', 'Mount Wilson classes', 'Starting lineups', 'Officials', 'References', 'Group D (enterococci)', 'Group F streptococci', 'Group G streptococci', 'Group H streptococci', 'Molecular taxonomy and phylogenetics', 'Genomics', 'Bacteriophage', 'Natural genetic transformation', 'See also', 'References', 'Specification', 'Marks for compliant systems', 'Current compliance', 'Currently registered UNIX systems', 'AIX', 'EulerOS', 'HP-UX', 'macOS', 'UnixWare', 'z/OS', 'Motivation', 'Measure', 'Limits of sets', 'Sub σ-algebras', 'Definition and properties', 'Definition', "Dynkin's π-λ theorem", 'Combining σ-algebras', 'σ-algebras for subspaces', 'Relation to σ-ring', 'References', 'Citations', 'Bibliography'], ['Definition and etymology', 'Reasons for theodicy', 'History', 'Ancient religions', 'Biblical theodicy', 'Augustinian theodicy', 'Irenaean theodicy', 'Radio adaptations', 'Recordings', 'See also', 'References', 'Bibliography'], ['Etymology', 'Nickname', 'Geography', 'Time trial bikes', 'Men – 1 km time trial', 'Women – 500 m time trial', 'Flying 200 m time trial', 'References', 'Definition via derivations', 'Generalizations', 'Equivalence of the definitions', 'Definition via cotangent spaces', 'Properties', 'Tangent vectors as directional derivatives', '\\sum_{i', 'Basis of the tangent space at a point', 'The derivative of a map', 'See also', 'Relativistic relationships', 'See also', 'References'], ['Navigation', 'Etymology', 'Management and water quality', 'Religion and mythology', 'See also', 'Notes'], ['References', 'Citations', 'Bibliography'], ['Text', 'Background', 'Procedures for amending the Constitution', 'Proposing amendments', 'Ratification of amendments', 'Ratification deadline and extension', 'Deadlines', 'Extensions', 'Terminology', 'Studies', 'Early history', 'Investigations', 'American Civil War', 'Later 19th century', '20th century', 'World wars', 'Cold War', '1945–1960', '1960–1970', '1970–1990', '1990s', '21st century', 'Expert review', 'Automated expert review', 'A/B testing', 'Number of test subjects', 'Example', 'Education', 'See also', 'References'], ['2001–present: Latest albums', 'Personal life', 'Musical style and composition', 'Honours and legacy', 'Discography', 'Soundtracks', 'Studio albums', 'Notes', 'References'], ['Early years', 'High school', 'Fordham University', 'Early career', 'Coaching career', 'St. Cecilia High School', 'Fordham', 'West Point']]



['Wikipedia: Persuasion', 'Wikipedia: Relay league', 'Wikipedia: Rayleigh scattering', 'Wikipedia: International System of Units', 'Wikipedia: Spike Jonze', 'Wikipedia: Worf', 'Wikipedia: Geography of Spain', 'Wikipedia: Strike', 'Wikipedia: Sonic Youth', 'Wikipedia: September 8', 'Wikipedia: Mercy rule', 'Wikipedia: SignWriting', 'Wikipedia: Points race', 'Wikipedia: Tao', 'Wikipedia: Taking Children Seriously', 'Wikipedia: Titration', 'Wikipedia: Cabinet of the United States', 'Wikipedia: Vaccination']
[['See also', 'References'], ['History', '1800 to 1900', '1900 to present', 'Geography', 'Cityscape', 'Areas', 'Golden Triangle', 'Military', 'Beginnings and early development', 'Rebellion and modernization', 'Society', 'Population growth and mobility', 'Statuses in society', 'Qing gentry', 'Qing nobility', 'Gender roles', 'Family and kinship', 'See also', 'References', 'Bibliography', 'Further reading'], ['Non-occupational factors', 'Diagnosis', 'Treatment', 'History', 'Society', 'See also', 'Notes'], ['History', 'Construction', 'Principal dial mechanisms in the United States', 'Letters', 'Function', 'Emergency calling', 'Recoil spring', 'Dials within handsets', 'History', 'Small size parameter approximation', 'From molecules', 'Effect of fluctuations', 'OpenShift', 'OpenStack', 'CloudForms', 'LibreOffice', 'Other FOSS projects', 'Utilities and tools', 'Subsidiaries', 'Red Hat Czech', 'Red Hat India', 'Mergers and acquisitions', 'Plot', 'Ending', 'Reception', 'Awards and nominations', 'Design and geography of Rama', 'Books in the series', 'Adaptations', 'Video games', 'Introduction', 'Controlling body', 'Overview of the units', 'SI base units', 'SI derived units'], ['Early life and education', 'Career', 'Casting', 'Family history', 'Storylines', '19th century', 'The First Samoan Civil War and the Samoan crisis', 'The Second Samoan Civil War and the Siege of Apia', 'Division of islands', 'Independence', 'Calendar usage in Samoa', 'See also', 'References', 'Further reading'], ['Military', 'See also', 'References', 'Further reading'], ['Others', 'Doctor Who', 'The Sarah Jane Adventures', 'Torchwood', 'BBC books', 'Commercial product', 'References', 'Notes', 'Citations'], ['Children', 'Recommendations', 'Functions', 'Restoration', 'Memory processing', 'Dreaming', 'Disorders', 'Insomnia', 'Obstructive sleep apnea', 'Aging and sleep', 'People', 'Physical confrontation or removal', 'Refusal to work or perform', 'Science and technology', 'Sport', 'See also', 'Notes and references', 'Further reading'], ['Norse mythology', 'See also', 'References', 'Citations', 'General sources'], ['American football', 'Middle and high school football', 'College football', 'Association football (soccer)', 'Spectral types', '"Early" and "late" nomenclature', 'Class O', 'Class B', 'Class A', 'Class G', 'Class K', 'Class M', 'Extended spectral types', 'Hot blue emission star classes', 'Background', 'Los Angeles Rams', 'Pittsburgh Steelers', 'Playoffs', 'Super Bowl pregame news and notes', 'Broadcasting', 'Entertainment', 'Game summary', 'First Quarter', 'Second Quarter'], ['History', 'Symbols', 'Previously registered UNIX systems', 'Solaris', 'Reliant UNIX', 'Inspur K-UX', 'Tru64 UNIX', 'Other', 'Non-registered Unix-like systems', 'See also', 'References', 'Sources', 'Typographic note', 'Particular cases and examples', 'Separable σ-algebras', 'Simple set-based examples', 'Stopping time σ-algebras', 'σ-algebras generated by families of sets', 'σ-algebra generated by an arbitrary family', 'σ-algebra generated by a function', 'Borel and Lebesgue σ-algebras', 'Product σ-algebra', 'History', 'Basic structure', 'Partnerships', 'Stock', 'Bidding', 'Trumps', 'Declarations', 'Follow suit', 'Scoring', 'Origenian theodicy', 'Relatively minor theodicies', 'Islamic world', 'Alternatives', 'Jewish anti-theodicy', 'Christian alternatives to theodicy', 'Free-will defense', 'Cosmodicy and anthropodicy', 'Essential kenosis', 'See also', 'Biography', 'Early Life', 'Child actor', 'Leading Man', 'Germany', 'Terence Hill', 'International Films', 'East Tennessee', 'Middle Tennessee', 'West Tennessee', 'Public lands', 'Climate', 'Major cities', 'History', 'Early history', 'Statehood and increasing settlement', 'Civil War and Reconstruction', 'Description and tactics', 'Variations', 'The Snowball', 'Point-a-Lap', 'Tempo', 'Notes', 'References'], ['History', 'Models', 'Notes', 'References'], ['History and etymology', 'Procedure', 'Preparation techniques', 'Titration curves', 'Types of titrations', 'Acid–base titration', 'History', 'Early development', 'Development from 1947 to 1949', 'After 1949', 'Centrifugal turbopumps', 'Axial turbopumps', 'Complexities of centrifugal turbopumps', 'Driving turbopumps', 'See also', 'Constitutional clauses shielded from amendment', 'Exclusive means for amending the Constitution', 'Amending Article V', 'See also', 'Notes', 'References'], ['Project Sign', 'Project Grudge', 'USAF Regulation 200-2', 'Project Blue Book', 'Scientific studies', 'United States', 'Post-1947 sightings', 'Condon Committee', 'Notable US cases', 'Brazil', 'Organization', 'Planning', 'Army components', 'Army commands and army service component commands', 'Structure', 'Combat maneuver organizations', 'Special operations forces', 'Personnel', 'Commissioned officers', 'Warrant officers', 'History', 'Federal law', 'Confirmation process', 'Salary', 'Mechanism of function', 'Vaccination versus inoculation', 'Safety', 'New York Giants', 'Green Bay Packers', '1960–66', 'Packers Sweep', 'Ice Bowl', 'Washington Redskins', 'Personal life', 'Family', 'World War II deferments']]



['Wikipedia: History of radio', 'Wikipedia: Robertson Davies', 'Wikipedia: Revolution', 'Wikipedia: Reno, Nevada', 'Wikipedia: Rust', 'Wikipedia: Geography of Samoa', 'Wikipedia: Slide guitar', 'Wikipedia: Scientific Revolution', 'Wikipedia: Second Battle of El Alamein', 'Wikipedia: Tajikistan', 'Wikipedia: Madison (cycling)', 'Wikipedia: Tragedy of the anticommons', 'Wikipedia: Article Six of the United States Constitution']
[['Brief history', 'Theories', 'Attribution theory', 'Behaviour change theories', 'Conditioning theories', 'Cognitive dissonance theory', 'Elaboration likelihood model', 'Functional theories', 'Inoculation theory', 'Narrative transportation theory', 'North Side', 'South Side', 'East End', 'West End', 'Ethnicities', 'Population densities', 'Images', 'Regional identity', 'Climate', 'Air quality', 'Religion', 'Christian missions', 'Protestant Christian missionaries', 'Economy', 'Silver', 'Urbanization and the proliferation of market-towns', 'Emergence of guild halls', 'Trade with the West', 'Science and technology', 'Arts and culture', 'Radio relay leagues', 'See also', 'References', 'Biography', 'Early life', 'Middle years', '1960s', '1970s', 'Push-button pulse phones', 'See also', 'References'], ['Cause of the blue color of the sky', 'In amorphous solids', 'In optical fibers', 'In porous materials', 'See also', 'Works', 'References', 'Further reading'], ['Acquisitions', 'Divestitures', 'References'], ['Radio adaption', 'Film', 'Non-fictional aspects', 'See also', 'References'], ['SI metric prefixes and the decimal nature of the SI system', 'Coherent and non-coherent SI units', 'Permitted non-SI units', 'New units', 'Defining magnitudes of units', 'Specifying fundamental constants vs. other methods of definition', 'History', 'Controlling authority', 'Units and prefixes', 'Base units', '1985–1993: Photography, magazines, and early video work', '1995–1999: In demand video director and Being John Malkovich', '2000–2008: Adaptation and Jackass', '2009–present: Where the Wild Things Are, short films, and Her', 'Personal life', 'Filmography', 'Films', 'Short films', 'Documentary films', 'Acting roles', 'Backstory', 'The Next Generation', 'Deep Space Nine', 'Alternate versions', 'Webster', 'Ted 2', 'Books and comics', 'Critical and fan reception', 'Major shows', 'References', 'Statistics', 'Climate', 'Terrain', 'External boundaries and landform regions', 'Water boundaries', 'Peninsular Region', 'Lowland regions', 'The islands', 'Drainage, floods, and water stress', 'Floods and erosion', 'History', 'Influential early electric slide guitarists', 'Robert Nighthawk', 'Earl Hooker', 'Other disorders', 'Sleep health', 'Drugs and diet', 'In culture', 'Anthropology', 'In mythology and literature', 'In art', 'See also', 'Positions, practices, and rituals', 'References', 'Arts, entertainment, and media', 'Films', 'Music', 'Television', 'Series', 'Episodes', 'Video games', 'Other uses in arts, entertainment, and media', 'Other uses', 'See also', 'History', 'Formation and early history: 1977–1981', 'Early releases: 1982–1985', 'SST and Enigma: 1986–1989', 'Major label career and alternative icons: 1990–1999', 'Later DGC period: 2000–2006', 'Independent agents and signing to Matador: 2007–2011', 'Disbandment: 2011–present', 'Musical style and influences', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'In Literature', 'References'], ['Baseball and softball', 'Basketball', 'Boxing', 'Curling', 'Wrestling', 'See also', 'References', 'Class W: Wolf–Rayet', 'The "Slash" stars', 'The magnetic O stars', 'Cool red and brown dwarf classes', 'Class L', 'Class T: methane dwarfs', 'Class Y', 'Peculiar brown dwarfs', 'Late giant carbon-star classes', 'Class C: carbon stars', 'Third Quarter', 'Fourth Quarter', 'Aftermath', 'Box score', 'Final statistics', 'Statistical comparison', 'Individual statistics', 'Records set', 'Starting lineups', 'Officials', 'Orientation', 'Hand shapes', 'Finger movement', 'Hand movement', 'Shoulder, head, and eye movement', 'Contact', 'Location', 'Expression', 'Body movement', 'Prosody'], ['Introduction', 'Significance', 'σ-algebra generated by cylinder sets', 'σ-algebra generated by random variable or vector', 'σ-algebra generated by a stochastic process', 'See also', 'References'], ['Special variations', 'Variations to basic rules', 'Rules in Austrian and German games', 'Farbzwang', 'Stichzwang', 'Farbzwang with Stichzwang', 'Trumpfzwang', 'Tarockzwang', 'Examples', 'Point-trick games', 'References', 'Bibliography'], ['Director', 'Television', 'Personal life', 'Filmography', 'Film', 'References'], ['20th century', '21st century', 'Demographics', 'Ethnicity', 'Birth data', 'Religion', 'Economy', 'Taxation', 'Tourism', 'Energy and mineral production', 'The race', 'History', 'The full rules', 'Olympics', 'Description and uses of the concept', 'De', 'Religious, philosophical, and cultural interpretations', 'Taoist interpretations', 'Diversity of views', 'Confucian interpretations', 'Buddhist interpretations', 'Neo-Confucian interpretations', 'Christian Interpretations', 'Linguistic aspects', 'Overview', 'Notes', 'References'], ['Redox titration', 'Gas phase titration', 'Complexometric titration', 'Zeta potential titration', 'Assay', 'Measuring the endpoint of a titration', 'Endpoint and equivalence point', 'Back titration', 'Graphical methods', 'Particular uses', 'References'], ['Examples', 'Text', 'Clauses', 'Debts', 'Supremacy', 'Oaths', 'References', 'Canada', 'France', 'Italy', 'Notable cases', 'United Kingdom', 'Uruguay', 'Astronomer reports', 'Identification of UFOs', 'Claims by military, government, and aviation personnel', 'Extraterrestrial hypothesis', 'Enlisted personnel', 'Training', 'Equipment', 'Weapons', 'Individual weapons', 'Crew-served weapons', 'Vehicles', 'Uniforms', 'Berets', 'Tents', 'Current Cabinet and Cabinet-rank officials', 'Vice president and the heads of the executive departments', 'Cabinet-level officials', 'Former executive and Cabinet-level departments', 'Renamed heads of the executive departments', 'Other positions no longer of Cabinet rank', 'Proposed Cabinet departments', 'See also', 'References', 'Further reading', 'Vaccine development and approval', 'Side effects', 'Ingredients of concern', 'Aluminium', 'Mercury', 'Monitoring', 'Usage', 'United States', 'History', 'Society and culture', 'Religion', 'Unprejudiced nature', 'Acceptance of gay players', 'Politics', 'Illness and death', 'Popular culture', 'Honors', 'Head coaching record', 'Books', 'Books written about him']]



['Wikipedia: Ron Popeil', 'Wikipedia: Star Trek Generations', 'Wikipedia: Demographics of Samoa', 'Wikipedia: Superoxide dismutase', 'Wikipedia: Second Vatican Council', 'Wikipedia: Ski', 'Wikipedia: Sumbawa', 'Wikipedia: Super Bowl XV', 'Wikipedia: Tile-based game', 'Wikipedia: The Hound of the Baskervilles', 'Wikipedia: Sprint (track cycling)', 'Wikipedia: The Vision of Escaflowne', 'Wikipedia: Twinkle, Twinkle, Little Star', 'Wikipedia: First Amendment to the United States Constitution', 'Wikipedia: United States Air Force', 'Wikipedia: Universal House of Justice', 'Wikipedia: Viz (comics)']
[['Social judgment theory', 'Methods', 'Usage of force', 'Weapons of influence', 'Reciprocity', 'Commitment and consistency', 'Social proof', 'Likeness', 'Authority', 'Scarcity', 'Water quality', 'Demographics', 'Economy', 'Arts and culture', 'Entertainment', 'Music', 'Theatre', 'Literature', 'Food', 'Local dialect', 'Fine arts', 'Traditional learning and literature', 'Cuisine', 'History and memory', 'Nationalism', 'New Qing History', 'See also', 'Notes', 'References', 'Citations', 'Summary', 'Invention', '19th century', 'Hertzian waves', 'Guglielmo Marconi', '20th century', 'Wavelength (meters) vs. frequency (kilocycles, kilohertz)', 'Digital era', '1980s and 1990s', 'Personal life', 'Awards and recognition', 'Works', 'Novels', 'Essays', 'Plays', 'Short story collection', 'Libretti', 'Letters', 'Etymology', 'Types', 'Political and socioeconomic revolutions', 'See also', 'Lists of revolutions', 'Further reading', 'Bibliography', 'References'], ['Personal life and career', 'Inventions', 'Popular culture', 'Notes', 'History', 'Geography', 'Environmental considerations', 'Geology', 'Climate', 'Demographics', 'Economy', 'Top employers', 'Healthcare', 'Chemical reactions', 'Oxidation of iron', 'Associated reactions', 'Prevention', 'Rust-resistant alloys', 'Galvanization', 'Cathodic protection', 'Derived units', 'Prefixes', 'Non-SI units accepted for use with SI', 'Common notions of the metric units', 'Lexicographic conventions', 'Unit names', 'Unit symbols and the values of quantities', 'General rules', 'Printing SI symbols', 'International System of Quantities', 'Cinematographer', 'Television', 'Music videos', 'Commercials', 'Skateboarding videos', 'Theater', 'Awards and nominations', 'References', 'Further reading'], [], ['Plot', 'Cast', 'See also', 'Fertility Rate (The Demographic Health Survey)', 'CIA World Factbook demographic statistics', 'Water stress', 'Climate', 'Population geography', 'Largest cities by population', 'Biggest metropolitan areas', 'Islands', 'Resources and land use', 'Environmental concerns', 'Maritime claims', 'See also', 'Elmore James', 'Muddy Waters', 'Early developments in rock music', 'Technique', 'Resonator guitars', 'Lap slide guitar', 'Lap slide guitar pioneers', 'Slides and steels', 'See also', 'Footnotes', 'Sources'], ['Chemical reaction', 'Chronology', 'Preparation', 'Opening', 'Alternative tunings', 'Influences', 'Musical instruments', 'Members', 'Timeline', 'Discography', 'References', 'Bibliography'], ['Etymology and usage', 'History', 'Asymmetrical skis', 'History', 'Administration', 'Demographics', 'Geography', 'List of offshore islands', 'Economy', 'Class S', 'Classes MS and SC: intermediary carbon-related classes', 'White dwarf classifications', 'Extended white dwarf spectral types', 'Non-stellar spectral types: Classes P and Q', 'Stellar remnants', 'Replaced spectral classes', 'Stellar classification, habitability, and the search for life', 'See also', 'Notes', 'References'], ['Background', 'Punctuation', 'Arrangement of symbols', 'Sequencing of signs in dictionaries', 'Advantages and disadvantages', 'Unicode', 'Accessibility', 'See also', 'References', 'Relevant literature'], ['Ancient and medieval background', 'Scientific method', 'Empiricism', 'Baconian science', 'Scientific experimentation', 'Mathematization', 'The mechanical philosophy', 'Institutionalization', 'New ideas', 'Astronomy', 'Background', 'Prelude', 'Allied plan', 'Operation Lightfoot', 'Operation Bertram', 'Operation Braganza', 'Axis plan', 'Plain-trick games', 'Last trick games', 'Trick-avoidance games', 'See also', 'Notes', 'References', 'Etymology', 'History', 'Early history', 'Russian Tajikistan', 'Soviet Tajikistan', 'Gaining independence', 'Independence', 'Politics', 'Geography', 'Administrative divisions', 'Plot', 'Origins and background', 'Inspiration', 'Original manuscript', 'Technique', 'Publication', 'Culture', 'Music', 'Literature', 'Sports', 'Sports teams', 'Transportation', 'Interstate highways', 'Airports', 'Railroads', 'Governance', 'See also', 'References', 'Racing style', 'Characters', 'Pronunciation', 'Meanings', 'Etymologies', 'Loanwords', 'See also', 'Notes', 'References', 'Citations', 'Sources', 'Plot', 'Production', 'Media', 'Anime', 'Soundtracks', 'Manga', 'Acid–base titrations', 'Redox titrations', 'Miscellaneous', 'See also', 'References'], ['Early aviation', 'Post-communism', 'Robber barons', 'Biomedical', 'See also', 'References', 'Further reading'], ['Further reading'], ['Text', 'Associated claims', 'Ufology', 'Researchers', 'Sightings', 'Organizations', 'Categorization', 'Scientific skepticism', 'Conspiracy theories', 'Famous hoaxes', 'In popular culture', 'See also', 'Notes', 'References', 'Further reading'], [], ['History', 'Election process', 'Litigation', 'Opposition', 'Vaccination and autism', 'Routes of administration', 'Economics of vaccination', 'Costs and benefits', 'Gallery', 'See also', 'References', 'Further reading', 'See also', 'Notes', 'References', 'Sources', 'Further reading'], []]



['Wikipedia: Prime Minister of Israel', 'Wikipedia: RCA', 'Wikipedia: Real analysis', 'Wikipedia: Sapiens', 'Wikipedia: Odo (Star Trek)', 'Wikipedia: Sequence', 'Wikipedia: Swedish cuisine', 'Wikipedia: Seven Sisters', 'Wikipedia: Salian dynasty', 'Wikipedia: Thermodynamics', 'Wikipedia: Tien Gow', 'Wikipedia: TurboGrafx-16', 'Wikipedia: Torpedo boat', 'Wikipedia: Uganda', 'Wikipedia: United States Secretary of State']
[['History', 'Direct election', '2003 onwards', 'Government and politics', 'Government', 'Politics', 'Law enforcement', 'Crime', 'Education', 'Media', 'Newspapers', 'Television', 'Radio', 'Overview', 'Quantum mechanics and general relativity', 'Graviton', 'Nonrenormalizability of gravity', 'Quantum gravity as an effective field theory', 'Spacetime background dependence', 'String theory', 'Background independent theories', 'Radio broadcasting (1919 to 1950s)', 'Crystal sets', 'The first vacuum tubes', 'FM and television start', 'FM in Europe', 'Political interest in the United Kingdom', 'Broadcast and copyright', 'Regulations of radio stations in the U.S', 'Wireless Ship Act of 1910', 'Radio Act of 1912', 'Comparison with DNA', 'Structure', 'Synthesis', 'Types of RNA', 'Overview', 'In length', 'In translation', 'Regulatory RNA', 'RNA interference by miRNAs', 'Further reading', 'Establishment by General Electric', 'Radio development', 'History', 'Formation', 'Early  years', 'Mainstream success', 'Changes in the 1990s', 'Revival of the hits', '2000–present', 'Band members', 'Discography', 'See also', 'College teams', 'Recreation', 'Air races', 'Government', 'Fire department', 'Education', 'Universities and colleges', 'Public schools', 'Public charter schools', 'Private schools'], ['Scope', 'Construction of the real numbers', 'Metric units that are not recognised by the SI', 'See also', 'Notes', 'References', 'Further reading'], ["British rule (1815–1821) and Napoleon's exile", 'British East India Company (1821–1834)', 'Crown colony (1834–1981)', '1981 to present', 'Geography', 'Climate', 'Administrative divisions', 'Population', 'Demographics', 'Religion', 'Home media', 'See also', 'References'], ['Total fertility rate', 'Nationality', 'Ethnic groups', 'Religions', 'Languages', 'Literacy', 'References'], ['Immigration and Demographic Issues', 'Vital statistics', 'Life expectancy from 1882 to 2015', 'Total Fertility Rate from 1850 to 1899', 'Statistics since 1900', 'Current vital statistics', 'Other demographic statistics', 'Metropolitan areas', 'Early history', 'Steel guitar playing develops in two different directions', 'Steel guitar in Blues music', 'Steel guitar in country music', 'Steel guitar in other genres', 'Technique', 'Lap steel guitars', 'Console steel guitars', 'Pedal steel guitars', 'Steels and slides', 'Cosmetic uses', 'Commercial sources', 'See also', 'References'], ['Other documents of the Council', 'Objections to the Council', 'Legacy', 'Saints of Vatican II', 'Gallery', 'Notes', 'References', 'Bibliography', 'Further reading', 'Support', 'Parallel SCSI', 'SCSI interfaces', 'Cabling', 'SCSI Parallel Interface', 'Fibre Channel', 'Serial attached SCSI', 'iSCSI', 'SRP', 'USB Attached SCSI', 'Automation/Drive Interface', 'Alpine', 'Nordic', 'See also', 'References'], ['Early life', 'Second World War', 'Career', 'The Goon Show', 'Television', 'Poetry and other writings', 'Theatre', 'Treasure Island', 'The Bedsitting Room', 'See also', 'Arts and entertainment', 'Music', 'Fourth Quarter', 'Box score', 'Final statistics', 'Statistical comparison', 'Individual statistics', 'Records Set', 'Starting lineups', 'Officials', 'References'], ['Receding Red Sea and the dwindling Nile', 'Old Cairo to the Red Sea', 'Repair by al-Ḥākim', 'Conception by Venice', 'Ottoman attempts', "Napoleon's discovery of an ancient canal", 'History', 'Interim period', 'Construction by the Suez Canal Company', 'Preparations (1854–1858)', 'Criticism', 'See also', 'References', 'Further reading'], ['D + 10: 2 November', 'D + 11: 3 November', 'Phase five: the break-out', 'D + 12, 4 November', 'D + 13, 5 November', 'D + 14, 6 November', 'D + 15, 7 November', 'Aftermath', 'Analysis', 'Performance of Italian troops during the battle', 'Introduction', 'History', 'Etymology', 'Branches of thermodynamics', 'Classical thermodynamics', 'Religion', 'Christianity', 'Health', 'Education', 'Sport', 'See also', 'References', 'Further reading'], ['Dice game', 'Domino games', 'Turning Heaven and Nine', 'Local school districts', 'Museums', 'State symbols', 'See also', 'References', 'Further reading'], ['World championships', 'Olympics', 'Keirin in Japan (Japanese Keirin)', 'Champions from Japan', 'Typical race', 'Ranks', 'Distances', 'Race grades', 'Production', 'Development', 'Writing', 'Casting', 'Filming', 'Post-production', 'Music', 'Design', 'Creature effects', 'Visuals and lighting', 'History', 'Determinants', 'Stability of native states', 'Thermostability', 'Kinetic traps', 'Metastability', 'Chaperone proteins', 'History', 'Add-ons', 'TurboGrafx-CD/CD-ROM²', 'Further reading', 'Spar torpedo boats', 'Self-propelled torpedo', 'Extending protections', 'Political speech', 'Anonymous speech', 'Campaign finance', 'Flag desecration', 'Falsifying military awards', 'Compelled speech', 'Commercial speech', 'School speech', 'Internet access', 'History', 'Pre-colonial Uganda', 'Uganda Protectorate (1894–1962)', 'History', 'Antecedents', '21st century', 'Conflicts', 'Humanitarian operations', 'Organization', 'Administrative organization', 'Air Force structure and organization', 'Operational organization', 'Air Expeditionary Task Force', 'Duties and responsibilities', 'See also', 'References', 'Further reading'], ['Gross anatomy', 'Vaginal opening and hymen', 'Variations and size', 'Development', 'Microanatomy', 'Blood and nerve supply', 'Function', 'Secretions', 'Sexual activity', 'Childbirth', "McDonald's", 'Spoof advertisements and competitions', 'Photo-strips', 'Viz in other media', 'Controversy', 'Bibliography', 'See also', 'Notes', 'References'], []]



['Wikipedia: Ray Bradbury', 'Wikipedia: Sirenia', 'Wikipedia: Politics of Samoa', 'Wikipedia: Sunspot', 'Wikipedia: Slovene language', 'Wikipedia: Super Bowl XVI', 'Wikipedia: History of Tajikistan', 'Wikipedia: Time signature', 'Wikipedia: Torque', 'Wikipedia: USS Constitution', 'Wikipedia: Viol']
[['Order of succession', 'Acting, vice and deputy prime minister', 'Interim government', "Prime Minister's residence", 'List of prime ministers of Israel', 'See also', 'References', 'Further reading'], ['Film', 'Utilities', 'Health care', 'Health discoveries', 'Transportation', 'Public transportation statistics', 'Expressways and highways', 'Airports', 'Intercity passenger rail and bus', 'Regional mass transit', 'Semi-classical quantum gravity', 'Problem of time', 'Candidate theories', 'Loop quantum gravity', 'Other approaches', 'Experimental tests', 'Thought experiments', 'See also', 'Notes', 'References', 'The Radio Act of 1927', 'The Communications Act of 1934', 'Licensed commercial public radio stations', 'Exotic technologies', 'See also', 'Footnotes', 'References', 'Primary sources', 'Secondary sources', 'Media and documentaries', 'Long non-coding RNAs', 'Enhancer RNAs', 'Regulatory RNA in prokaryotes', 'In RNA processing', 'RNA genomes', 'In reverse transcription', 'Double-stranded RNA', 'Circular RNA', 'Key discoveries in RNA biology', 'Relevance for prebiotic chemistry and abiogenesis', 'International and marine communication', 'Broadcasting', 'National Broadcasting Company', 'Radio receivers', 'Vacuum tubes', 'Phonographs', 'Motion pictures', 'Separation from General Electric', 'Television', 'Diversification', 'References'], ['Early life', 'Infrastructure', 'Transportation', 'Roads', 'Bus', 'Rail', 'Air', 'Utilities', 'Notable people', 'In popular culture', 'Twin towns – sister cities', 'Order properties of the real numbers', 'Topological properties of the real numbers', 'Sequences', 'Limits and convergence', 'Uniform and pointwise convergence for sequences of functions', 'Compactness', 'Continuity', 'Uniform continuity', 'Absolute continuity', 'Differentiation', 'See also', 'Government', 'Human rights', 'Child abuse scandal', 'Same-sex marriage', 'Biodiversity', 'Economy', 'Economic statistics', 'Banking and currency', 'Tourism', 'Transport', 'Overview', 'Star Trek: Deep Space Nine', 'Mirror Universe', 'Non-canon', 'Novels', 'Video games', 'Reception', 'References'], ['Executive branch', 'System of government', 'Judicial system', 'Political history', 'Pre-European', 'Islands', 'Ethnic groups', 'Foreign population', 'Religions', 'Languages', 'Literacy', 'Educational system', 'Notes', 'See also', 'References', 'See also', 'Notes', 'References'], ['Examples and notation', 'Examples', 'Indexing', 'Defining a sequence by recursion', 'Formal definition and basic properties', 'Definition', 'Finite and infinite', 'Increasing and decreasing', 'Criticism', 'Standard Slovene', 'Classification', 'SCSI command protocol', 'Device identification', 'General', 'Device Type', 'SCSI enclosure services', 'See also', 'Notes', 'References', 'Bibliography'], ['General features', 'History', 'Husmanskost', 'Dishes', 'Meals', 'Breakfast', 'Main courses', 'Seafood', 'Oblomov', 'Ken Russell films', 'Ad-libbing', 'Cartoons and art', 'Advertising', 'Other contributions', 'Personal life', 'Family', 'Health', 'Nationality', 'Films', 'Books and plays', 'Other media', 'Biology', 'Places', 'Australia', 'Continental Europe', 'Ireland', 'North America', 'United Kingdom', 'Background', 'San Francisco 49ers', 'Cincinnati Bengals', 'Construction (1859–1869)', 'Inauguration (17 November 1869)', 'Initial difficulties (1869–1871)', 'Company rule after opening', 'Suez Crisis', 'Arab–Israeli wars of 1967 and 1973', 'Mine clearing operations (1974–75)', 'UN presence', 'Bypass expansion', 'Timeline', 'Origins and name', 'Early Salians', 'Werner', 'Conrad the Red', 'Otto of Worms', 'Dukes and bishops', 'Henry of Worms', 'Conrad of Carinthia', 'Casualties', 'Subsequent operations', 'Battle of El Agheila', 'Tripoli', 'Tunisia', 'See also', 'Notes', 'Footnotes', 'References', 'Further reading', 'Statistical mechanics', 'Chemical thermodynamics', 'Equilibrium thermodynamics', 'Laws of thermodynamics', 'Zeroth Law', 'First Law', 'Second Law', 'Third Law', 'System models', 'States and processes', 'Antiquity (600 BC – 651 AD)', 'Achaemenid Period (550 BC – 329 BC)', 'Hellenistic Period (329 BC – 90 BC)', 'Kushan Empire (30 BC – 410 AD)', 'Playing Heaven and Nine', 'History', 'Relation to Pai Gow', 'Notes', 'References'], ['Defining terminology', 'Torque and moment in the US mechanical engineering terminology', 'Definition and relation to angular momentum', 'Proof of the equivalence of definitions', 'Units', 'Special cases and other facts', 'Top Keirin Events', 'Race schedule', 'Day 1', 'Day 2', 'Day 3', 'Equipment', 'Betting', 'See also', 'References'], ['Release', 'Box office', 'Critical response', 'Accolades', 'Post-release', 'Aftermath', 'Home media', 'Thematic analysis', 'Legacy', 'Critical reassessment', 'Cytoplasmic environment', 'Ligand binding', 'Determination', 'X-ray crystallography', 'NMR', 'Cryogenic electron microscopy', 'Dual polarisation interferometry', 'Projects', 'Prediction algorithm', 'Protein aggregation diseases', 'Super CD-ROM²', 'Arcade Card', 'Variations', 'Core models', 'HuCard-only models', 'Duo models', 'Third-party models', 'Other foreign markets', 'Technical specifications', 'Peripherals', 'First torpedo boats', 'Early use in combat', 'Torpedo boat destroyers', 'Motor torpedo craft', 'Fast attack craft today', 'See also', 'References', 'Bibliography'], ['Obscenity', 'Memoirs of convicted criminals', 'Defamation', 'Private action', 'Freedom of the press', 'Petition and assembly', 'Freedom of association', 'See also', 'References', 'Notes', 'Independence (1962 to 1965)', 'Buganda crisis (1962–1966)', '1966–1971 (before the coup)', '1971 (after the coup) –1979 (end of Amin regime)', '1979–present', 'Geography', 'Lakes and rivers', 'Environment and conservation', 'Government and politics', 'Corruption', 'Commander, Air Force Forces', 'Air Operations Center', 'Air Expeditionary Wings/Groups/Squadrons', 'Personnel', 'Commissioned officers', 'Warrant officers', 'Enlisted airmen', 'Uniforms', 'Awards and badges', 'Training', 'Construction', 'Armament', 'Quasi-War', 'Vaginal microbiota', 'Clinical significance', 'Pelvic examinations', 'Medications', 'Infections, diseases, and safe sex', 'Effects of aging and childbirth', 'Surgery', 'Anomalies and other health issues', 'Society and culture', 'Perceptions, symbolism and vulgarity', 'History', 'Construction', 'Viol bows']]



['Wikipedia: President of France', 'Wikipedia: Quality of service', 'Wikipedia: Richard Feynman', 'Wikipedia: Russian Revolution', 'Wikipedia: Riemann integral', 'Wikipedia: Cardassian', 'Wikipedia: Politics of Spain', 'Wikipedia: Super Nintendo Entertainment System', 'Wikipedia: SN 1987A', 'Wikipedia: Sextant', 'Wikipedia: Turing completeness', 'Wikipedia: Troff', 'Wikipedia: Great Molasses Flood', 'Wikipedia: The Book of the Courtier', 'Wikipedia: Third Amendment to the United States Constitution', 'Wikipedia: Vim (text editor)']
[['History', 'Election', 'Powers', 'Detailed constitutional powers', 'Freight rail', 'Port', 'Sister cities', 'See also', 'Notes', 'References', 'Further reading'], ['Further reading'], ['Definitions'], ['Early life', 'Religion', 'See also', 'References'], ['RCA Communication Systems', 'Computers', 'Later years', 'Re-acquisition and break-up by General Electric', 'Legacy', 'Environmental issues', 'Photo gallery', 'See also', 'References', 'Further reading', 'Influences', 'Literature', 'Hollywood', 'Career', 'Writing', '"Green Town"', 'Cultural contributions', 'Personal life', 'Death', 'Bibliography', 'See also', 'References', 'Bibliography'], ['Series', 'Taylor series', 'Fourier series', 'Integration', 'Riemann integration', 'Lebesgue integration and measure', 'Distributions', 'Relation to complex analysis', 'Important results', 'Generalizations and related areas of mathematics', 'Taxonomy', 'Etymology', 'Classification', 'Evolution', 'Description', 'Adaptations', 'Diet', 'Reproduction', 'Manatees in captivity', 'Sea', 'Air', 'Local', 'Media and communications', 'Radio', 'Online', 'Television', 'Telecommunications', 'Internet', 'Satellite ground stations / Earth stations', 'Concept history', 'Star Trek: The Next Generation', '"The Wounded": 1991', 'Pre-Colonial', 'Colonial Period', 'Modern political history', 'Political parties and elections', 'Administrative divisions', 'See also', 'References'], [], ['The Crown', 'The King and his functions', 'History', 'Physics', 'Lifecycle', 'Solar cycle', 'Longer-period trends', 'Modern observation', 'Application', 'Starspot', 'Gallery', 'Bounded', 'Subsequences', 'Other types of sequences', 'Limits and convergence', 'Formal definition of convergence', 'Applications and important results', 'Cauchy sequences', 'Infinite limits', 'Series', 'Use in other fields of mathematics', 'History', 'Early history', 'Recent history', 'Geographic distribution', 'Dialects', 'Phonology', 'Consonants', 'Vowels', 'Grammar', 'Nouns', 'History', 'Launch', 'Console wars', 'Desserts', 'Pastries and treats', 'Kaffebröd (coffee bread)', 'Treats', 'Candy', 'Drinks', 'Christmas beverages', 'Sweet drinks', 'Fruit soups', 'Liquor', 'Legal issues', 'Humour with the Prince of Wales', 'Campaigning', 'Death', 'Legacy', 'Radio comedy shows', 'Other radio shows', 'Television comedy shows', 'Other notable television involvement', 'Filmography', 'England', 'Wales', 'Other places', 'Other uses', 'Playoffs', 'Super Bowl pregame news', 'Broadcasting', 'Entertainment', 'Game summary', 'First Quarter', 'Second Quarter', 'Third Quarter', 'Fourth Quarter', 'Notable performances', 'Layout and operation', 'Capacity', 'Navigation', 'Operation', 'Convoy sailing', 'Canal crossings', 'Alternative routes', 'Cape Agulhas', 'Northern Sea Route', 'Cape Horn', 'Pope Gregory V', 'William of Strasbourg', 'Conrad the Younger', 'Imperial Salians', 'Salian monarchy', 'Salian Kings and Emperors', 'See also', 'References', 'Sources', 'Further reading'], ['Navigational sextants', 'Design', 'Instrumentation', 'Conjugate variables', 'Potentials', 'Applied fields', 'See also', 'Lists and timelines', 'Notes', 'References', 'Further reading'], ['The Sassanids, Hephthalites, and Gokturks (224–710)', 'Medieval history (710–1506)', 'Arab Caliphate (710–867)', 'Samanid Empire (819–999)', 'Qarakhanids (999–1211) and Khwarezmshahs (1211–1218)', 'Mongol rule (1218–1370)', 'Timurid Empire (1370–1506)', 'Early modern history (1506–1868)', 'Turkic rule (1506–1598)', 'Persian and Bukharan rule (1740–1868)', 'Frequently used time signatures', 'Simple vs. compound', 'Simple', 'Compound', 'Examples', 'Duple, triple, etc.', 'Beating time signatures', 'Moment arm formula', 'Static equilibrium', 'Net force versus torque', 'Machine torque', 'Relationship between torque, power, and energy', 'Proof', 'Conversion to other units', 'Derivation', 'Principle of moments', 'Torque multiplier', 'Non-mathematical usage', 'Formal definitions', 'History', 'Cultural impact', 'Merchandise', 'Sequels', 'References', 'Bibliography'], ['Protein Tertiary Structure Retrieval Project (CoMOGrad)', 'See also', 'References'], ['Library', 'Reception', 'Legacy', 'See also', 'Notes', 'References'], ['Principles', 'Reception', 'Rhetoric', 'See also', 'Citations', 'Bibliography', 'Further reading'], ['Administrative divisions', 'Foreign relations and military', 'Human rights', 'LGBT rights', 'Economy and infrastructure', 'Industry', 'Poverty', 'Air transportation', 'Road network', 'Railroad', 'Air Force Fitness Test', 'Aircraft inventory', 'Summary by type', 'A – Attack', 'B – Bomber', 'C – Transport', 'E – Special Electronic', 'F – Fighter', 'H – Search and rescue', 'K – Tanker', 'Change of command', 'First Barbary War', 'Battle of Tripoli Harbor', 'Peace treaty', 'War of 1812', 'Constitution vs. Guerriere', 'Constitution vs Java', 'Marblehead and blockade', 'HMS Cyane and HMS Levant', 'Mediterranean Squadron', 'In contemporary literature and art', 'Influence on modification', 'Other animals', 'See also', 'References'], ['Different versions', 'Tuning', 'Treatises', 'Popularity', 'Modern era', 'New compositions', 'Electric instruments', 'Similar names and common confusions', 'See also', 'Notes']]



['Wikipedia: Psychohistory', "Wikipedia: Rubik's Cube", 'Wikipedia: Richie Benaud', 'Wikipedia: South America', 'Wikipedia: Economy of Samoa', 'Wikipedia: Sicily', 'Wikipedia: Submachine gun', 'Wikipedia: Self-replication', 'Wikipedia: Topology', 'Wikipedia: Theory of computation', 'Wikipedia: Traffic engineering', 'Wikipedia: Traceroute', 'Wikipedia: Voyeurism']
[['Presidential amnesties', 'Criminal responsibility and impeachment', 'Succession and incapacity', 'Death in office', 'Pay and official residences', 'Latest election', 'Living former presidents of France', 'Lists relating to the presidents of France', 'References', 'Further reading', 'Description', 'Areas of study', 'Emergence as a discipline', 'Independence as a discipline', 'Psychogenic mode', 'History', 'Qualities of traffic', 'Applications', 'Mechanisms', 'Over-provisioning', 'IP and Ethernet efforts', 'Protocols', 'End-to-end quality of service', 'Limitations', 'Mobile (cellular) QoS', 'Education', 'Manhattan Project', 'Cornell', 'Caltech years', 'Personal and political life', 'Physics', 'Pedagogy', "Surely You're Joking, Mr. Feynman!", 'Challenger disaster', 'Recognition and awards', 'Background', 'Economic and social changes', 'Political issues', 'World War I', 'February Revolution', 'Dvoyevlastiye', 'October Revolution', 'Russian Civil War', 'Revolutionary Tribunals', 'Execution of the imperial family'], ['Conception and development', 'Similar precursors', 'First novel', 'Intended first novel', 'Adaptations to other media', 'Awards and honors', 'Documentaries', 'References', 'Sources'], ['Overview', 'Definition', 'Partitions of an interval', 'Riemann sums', 'Riemann integral', 'Examples', 'Similar concepts', 'Properties', 'Linearity', 'See also', 'References', 'Bibliography'], ['Threats and conservation', 'See also', 'References', 'Further reading'], ['Local newspapers', 'Culture and society', 'Education', 'Sport', 'Scouting', 'Cuisine', 'Notable people', 'Namesake', 'See also', 'References', 'Later episodes: 1991–1994', 'Star Trek: Deep Space Nine', 'In cosmology', 'See also', 'References', 'Footnotes', 'Bibliography'], ['Trade', 'Non-conventional sources of revenue', 'Manufacturing', 'Natural disasters', 'Future prospects', 'Succession line', 'Legislature', 'The Congress of Deputies', 'Senate', 'Executive', 'The Government and the Council of Ministers', 'The Council of State', 'Judiciary', 'Regional government', 'Local government', 'Videos', 'See also', 'References', 'Further reading'], ['Sunspot data', 'Topology', 'Product topology', 'Analysis', 'Sequence spaces', 'Linear algebra', 'Abstract algebra', 'Free monoid', 'Exact sequences', 'Spectral sequences', 'Set theory', 'Vocabulary', 'T–V distinction', 'Foreign words', 'Articles', 'Numbers', 'Writing system', 'Diacritics', 'Non-tonemic diacritics', 'Tonemic diacritics', 'Regulation', 'Changes in policy', '32-bit era and beyond', 'Hardware', 'Technical specifications', 'CPU and RAM', 'Video', 'Audio', 'Regional lockout', 'Casing', 'Game cartridge', 'Beer', 'Food and society', 'See also', 'References', 'Further reading'], ['Books', 'Goon Show', 'Novels', 'William McGonagall', '"According to" books', 'Scripts', "Children's books", 'Memoirs', 'Non-fiction', 'Collections of literature', 'Discovery', 'Progenitor', 'Neutrino emissions', 'Neutron star', 'Light curve', 'Interaction with circumstellar material', 'Condensation of warm dust in the ejecta', 'ALMA observations', 'See also', 'Box score', 'Final statistics', 'Statistical comparison', 'Individual leaders', 'Records Set', 'Starting lineups', 'Officials', 'References', 'Notes', 'Sources', 'Negev desert railway', 'Environmental impact', 'Suez Canal Economic Zone', 'See also', 'Notes', 'References'], ['Overview', 'Theory', 'Classes of self-replication', 'Taking a sight', 'Adjustment', 'Modern Navy Training', 'See also', 'Notes', 'References'], ['Motivation', 'History', 'Concepts', 'Modern History (1868—1991)', 'Russian Vassalage (1868–1920)', 'Basmachi movement (1916-1924)', 'Soviet Rule (1920–1991)', 'Republic of Tajikistan (1991 to present)', 'See also', 'References', 'Footnotes', 'Sources and further reading', 'Characteristics', 'Complex time signatures', 'Mixed meters', 'Additive meters', 'Irrational meters', 'Variants', 'Early music usage', 'Mensural time signatures', 'Proportions', 'See also', 'See also', 'References'], ['Computability theory', 'Turing oracles', 'Digital physics', 'Unintentional Turing completeness', 'Non-Turing-complete languages', 'Data languages', 'See also', 'Notes', 'References', 'Further reading', 'History', 'Macros', 'Preprocessors', 'Reimplementations', 'See also', 'References'], ['Flood', 'Aftermath', 'Cleanup', 'Fatalities', 'Causes', 'Area today', 'Cultural influences', 'See also', 'Further reading', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'References', 'Notes', 'Implementations', 'Text', 'Background', 'Adoption', 'Proposal and ratification', 'Judicial interpretation', 'Appearance in culture', 'See also', 'References'], ['Communications', 'Energy', 'Water supply and sanitation', 'Education', 'Health', 'Health system', 'Life expectancy', 'Infectious disease', 'Reproductive health', 'Crime and law enforcement', 'M – Multi-mission', 'O – Observation', 'R – Reconnaissance', 'T – Trainer', 'TG – Trainer gliders', 'U – Utility', 'V – VIP staff transport', 'W – Weather reconnaissance', 'Undesignated foreign aircraft', 'LGM – Ballistic missile', 'Old Ironsides', 'Mediterranean and Pacific Squadrons', 'Around the world', 'Mediterranean and African Squadrons', 'Civil War', 'Paris Exposition', 'Museum ship', '1925 restoration and tour', '1934 return to Boston', 'Restoration', 'History', 'Interface', 'Modes', 'Customization', 'Features and improvements over vi', 'Vim script', 'Examples', 'References', 'Sources', 'Further reading'], []]



['Wikipedia: Plastic explosive', 'Wikipedia: Radio Row', 'Wikipedia: Run-length encoding', 'Wikipedia: Spinning (textiles)', 'Wikipedia: Martok', 'Wikipedia: Telecommunications in Samoa', 'Wikipedia: Senryū', 'Wikipedia: Sylvia Plath', 'Wikipedia: Standard Oil', 'Wikipedia: Super Bowl XVII', 'Wikipedia: Signal processing', 'Wikipedia: Single transferable vote', 'Wikipedia: Geography of Tajikistan', 'Wikipedia: Tristan Bernard', 'Wikipedia: The Shawshank Redemption', 'Wikipedia: The Onion', 'Wikipedia: Ted Hughes', 'Wikipedia: Trevor Jones (composer)', 'Wikipedia: Second Amendment to the United States Constitution', 'Wikipedia: Vorbis']
[[], ['Usage', 'History', 'A psychoclass for postmodern times', 'Criticisms', 'Organizations', 'Notable psychohistorians', 'See also', 'Notes', 'Bibliography'], ['Standards', 'Open source software', 'See also', 'Notes', 'References', 'Further reading'], ['Death', 'Popular legacy', 'Bibliography', 'Selected scientific works', 'Textbooks and lecture notes', 'Popular works', 'Audio and video recordings', 'Notes', 'References', 'Further reading', 'Symbolism', 'The revolution and the world', 'Other communist revolutions', 'China', 'Cuba', 'Vietnam', 'Historiography', 'Chronology', 'Chronology of events leading to the revolution', 'Chronology of the 1917 revolutions', "Rubik's invention", 'Subsequent history', '1980s Cube craze', '21st-century revival', 'Imitations', 'Patent history', 'Trademarks', 'Mechanics', 'Mathematics', 'Permutations', 'New York City', 'Construction and existence', 'Demolition', 'Philadelphia', 'Boston', 'Integrability', 'Generalizations', 'See also', 'Notes', 'References'], ['Early years', 'Early Test career', 'Consolidation', 'Peak years and captaincy', 'Later career', 'Playing style', 'Cricket career highlights', 'Media career', 'Personal life', 'Geography', 'Outlying islands', 'Climate', 'History', 'Prehistory', 'Pre-Columbian civilizations', 'European colonization', 'Slavery in South America', 'Further reading'], ['Explanation of spinning process', 'Concept and production', 'Appearances', 'Background', 'General Martok', 'Chancellor Martok', 'Tourism', 'Statistics', 'Notes', 'Political parties', 'Electoral process', 'Congress of Deputies', 'Electoral participation', 'Recent historical political developments', 'Key political issues', 'The nationality debate', 'Terrorism', 'International organization participation', 'See also', 'Geography', 'Rivers', 'Climate', 'Flora and fauna', 'History', 'Prehistory', 'Antiquity', 'Computing', 'Streams', 'See also', 'Notes', 'References'], ['Sample', 'References', 'Bibliography'], ['Grammars', 'Corpora', 'Dictionaries', 'Games', 'Peripherals', 'Enhancement chips', 'Reception and legacy', 'Emulation', 'Notes', 'References', 'Bibliography'], ['History', 'World War I', 'World War II', 'After World War II', '1950s', '1960s', '1970s', 'Collections (mostly poetry)', 'Recordings', 'References', 'Further reading', 'Articles'], ['References', 'Sources', 'Further reading'], [], ['Background', "NFL players' strike", 'History', 'Categories', 'Analog', 'Continuous time', 'Discrete time', 'Digital', 'A self-replicating computer program', 'Self-replicating tiling', 'Self replicating clay crystals', 'Applications', 'Mechanical self-replication', 'Fields', 'In industry', 'Space exploration and manufacturing', 'Molecular manufacturing', 'See also', 'Pros and Cons of STV', 'Countries with STV', 'Terminology', 'Voting', 'Filling seats under STV', 'Without quota: elimination transfers only', 'Topologies on sets', 'Continuous functions and homeomorphisms', 'Manifolds', 'Topics', 'General topology', 'Algebraic topology', 'Differential topology', 'Geometric topology', 'Generalizations', 'Applications', 'Dimensions and borders', 'Topography and drainage', 'Fergana Valley', 'Drainage', 'References', 'Life', 'Drancy', 'History', 'Branches', 'Automata theory', 'Formal Language theory', 'Computability theory', 'Computational complexity theory', 'References', 'Further reading'], [], ['Plot', 'Cast', 'History', "Publication's name", 'Madison (1988–2001)', 'References'], ['Biography', 'Career', 'Discography', 'Film', 'Television', 'Usage', 'Origins', 'Limitations', 'See also', 'References', 'Further reading'], ['Text', 'Pre-Constitution background', 'Influence of the English Bill of Rights of 1689', 'Tourism', 'Science and technology', 'Demographics', 'Languages', 'Religion', 'Largest cities and towns', 'Culture', 'Sport', 'Olympics', 'Cinema', 'Culture', 'See also', 'References'], ['Official', 'Other', 'Notes', 'Bicentennial celebrations', '1995 reconstruction', 'Sailing on 200th anniversary', 'Present day', 'Image gallery', 'Commanders', 'Notes', 'References', 'Bibliography', 'Further reading', 'Availability', 'Neovim', 'See also', 'References'], ['Medical issues', 'Definition', 'Historical perspectives', 'Prevalence', 'Characteristics', 'Current perspectives', 'Treatment', 'Professional treatment', 'Techniques']]



['Wikipedia: Post-structuralism', 'Wikipedia: Patricia Soltysik', 'Wikipedia: Quadrature amplitude modulation', 'Wikipedia: Research', 'Wikipedia: Radio Research Project', 'Wikipedia: Kathryn Janeway', 'Wikipedia: Transport in Samoa', 'Wikipedia: Economy of Spain', 'Wikipedia: Slovak language', 'Wikipedia: Smalltalk', 'Wikipedia: Shmuel Yosef Agnon', 'Wikipedia: Turing machine', 'Wikipedia: Tocharian languages', 'Wikipedia: Time to live', 'Wikipedia: Cape Breton University', 'Wikipedia: Anti-Masonic Party']
[['Types', 'Composition C', 'List of plastic explosives', 'See also', 'References', 'Early life', 'SLA is born', 'L.A. shootout and death', 'References'], ['Demodulation of QAM', 'Fourier analysis of QAM', 'Digital QAM', 'Interference and noise', 'See also', 'References', 'Articles', 'Books', 'Films and plays'], ['Cultural portrayal', 'Film', 'Video games', 'See also', 'Footnotes', 'Notes', 'Further reading', "Participants' accounts", 'Primary sources'], ['Centre faces', 'Algorithms', 'Relevance and application of mathematical group theory', 'Solutions', 'Move notation', 'Optimal solutions', 'Speedcubing methods', "Beginners' methods", "Rubik's Cube solver program", 'Competitions and records', 'Los Angeles', 'Modern-day versions in Asia', 'Alternate meaning', 'See also', 'References', 'Further reading'], ['Example', 'History and applications', 'See also', 'References'], ['Death', 'Recognition', 'Books', 'See also', 'Notes'], ['Independence from Spain and Portugal', 'Nation-building and fragmentation', 'Wars and conflicts', 'Rise and fall of military dictatorships', 'Countries and territories', 'Politics', 'Demographics', 'Language', 'Religion', 'Ethnic demographics', 'Types of fibre', 'Methods', 'History and economics', 'See also', 'References', 'Bibliography'], ['Personal life', 'Reception', 'References'], ['Telephone', 'Radio', 'Television', 'Internet', 'References', 'References'], ['History', 'Byzantine period (535–965)', 'Arab Period (827–1091)', 'Norman Sicily (1038–1198)', 'Kingdom of Sicily', 'Hohenstaufen dynasty', 'Sicily under Aragonese rule', 'Italian unification', '20th and 21st centuries', 'Demographics', 'Emigration', 'Form and content', 'English-language senryū publications', 'Senryū awards', 'See also', 'References and senryū books', 'References'], ['Phonology', 'Orthography', 'Syntax', 'Morphology', 'Articles', 'Nouns, adjectives, pronouns', 'History', 'Influences', 'Object-oriented programming', 'Reflection', '1980s', '1990s', '2000s', '2010s', 'Personal defense weapons', 'Name', 'See also', 'References'], ['Life and career', 'Early life', 'College years and depression', 'Career and marriage', 'Final depressive episode and death', "Following Plath's death", 'Works', 'Founding and early years', 'South Improvement Company', 'Hepburn Committee', 'Standard Oil Trust', 'Sherman Antitrust Act', 'Earnings and dividends', '1895–1913', 'In China', 'In the Middle East', 'Miami Dolphins', 'Washington Redskins', 'Playoffs', 'Super Bowl pre-game news', 'Broadcasting', 'Entertainment', 'Game Summary', 'First Quarter', 'Second Quarter', 'Third Quarter', 'Nonlinear', 'Statistical', 'Application fields', 'Typical devices', 'Mathematical methods applied', 'See also', 'References', 'Further reading'], ['References', 'Biography', 'Literary themes and influences', 'The use of quota to fill seats', 'Finding winners using quota', 'Example', 'Quota and vote transfers', 'History and current use', 'Issues', 'Degree of proportionality', 'Difficulty of implementation', 'Role of political parties', 'By-elections', 'Biology', 'Computer science', 'Physics', 'Robotics', 'Games and puzzles', 'Fiber art', 'See also', 'References', 'Citations', 'Bibliography', 'Climate', 'Environmental problems', 'Pamir Mountains', 'Rivers', 'Lakes', 'Area and boundaries', 'Resources and land use', 'References'], ['Legacy', 'Works', 'Plays', 'Narrative works', 'Filmography', 'Screenwriter', 'References'], ['Overview', 'Physical description', 'Description', 'Formal definition', 'Analysis', 'Production', 'Development', 'Casting', 'Filming', 'Post-production', 'Music', 'Release', 'Theatrical', 'Post theatrical', 'New York City (2001–2012)', 'Chicago (2012–present)', 'Print edition (1988–2013)', 'Regular features', 'Editors and writers', 'Books, video, film and audio', 'Books', 'Onion News Network', 'Video', 'The Onion Movie', 'Early life', 'Career', 'Death of Sylvia Plath', '1970–1998', 'Work', 'Themes', 'Translation', 'Commemoration and legacy', 'Archive', 'Ted Hughes Award', 'Video games', 'Influences', 'Personal life', 'References', 'Selected bibliography'], ['IP packets', 'DNS records', 'HTTP', 'See also', 'References'], ['Experience in America prior to the U.S. Constitution', 'State Constitutional Precursors to the Second Amendment', 'Virginia, June 12, 1776', 'Pennsylvania, September 28, 1776', 'Maryland, November 11, 1776', 'North Carolina, December 18, 1776===', 'New York, April 20, 1777===', 'Vermont, July 8, 1777', 'Massachusetts, June 15, 1780', 'Drafting and adoption of the Constitution', 'Media', 'See also', 'References', 'Further reading'], ['Overview', 'Maps', 'Government and economy', 'Humanitarian issues', 'History', '"Little X"', 'NSEIT & merger', 'From college to university', 'Campus', 'Academics'], ['History', 'Background', 'Name', 'Usage', 'Quality', 'Listening tests', 'Characteristic artifacts', 'Technical details', 'Outline of coder algorithm', 'Tuned versions', 'Criminology', 'Legal status', 'Popular culture', 'Films', 'Literature', 'Manga', 'Music', 'Photography', 'See also', 'References']]



['Wikipedia: Polio', 'Wikipedia: QAM (disambiguation)', 'Wikipedia: Raven Software', 'Wikipedia: Ralph Cudworth', 'Wikipedia: Red–black tree', 'Wikipedia: Religious pluralism', 'Wikipedia: Republics of the Soviet Union', 'Wikipedia: September 30', 'Wikipedia: Squirrel', 'Wikipedia: Six-Day War', 'Wikipedia: Troll', 'Wikipedia: Demographics of Tajikistan', 'Wikipedia: Statistical hypothesis testing', 'Wikipedia: Tel Aviv', 'Wikipedia: Geography of Ukraine', 'Wikipedia: Volatile Organic Compounds Protocol']
[['Post-structuralism and structuralism', 'Criticism', 'History', 'Barthes and the need for metalanguage', "Derrida's lecture at Johns Hopkins", 'See also', 'Authors', 'References', 'Signs and symptoms', 'Cause', 'Transmission', 'Further reading'], ['See also', 'Etymology', 'Definitions', 'Forms of research', 'Scientific research', 'Historical research', 'Artistic research', 'Documentary research', 'Steps in conducting research', 'Research methods', 'History', 'Games', 'References', 'Speedcubing competitions', 'Records', 'Competition records', 'Other records', 'Top 10 solvers by single solveWorld Cube Association Official 3x3x3 Ranking Single ===', 'Top 10 solvers by average of 5 solvesWorld Cube Association Official 3x3x3 Ranking Average===', 'Variations', 'Custom-built puzzles', "Rubik's Cube software", 'Chrome Cube Lab', 'Family background', 'Ancestry', 'The Rev. Dr Ralph Cudworth Snr (1572/3–1624)', 'Children', 'Career', 'Education', 'History', 'Terminology', 'Properties', 'Analogy to B-trees of order 4', 'Notes', 'References', 'Indigenous people', 'Populace', 'Economy', 'Economically largest cities as of 2014', 'Tourism', 'Culture', 'Plastic arts', 'Sport', 'Infrastructure', 'Energy', 'Overview', 'Union Republics of the Soviet Union', 'Former Union Republics of the Soviet Union', 'Republics not recognized by the Soviet Union', 'Other non-union Soviet republics', 'Unrealized Soviet states', 'Casting', 'Fictional character biography', 'Non-canon', 'Reception', 'Birthplace Monument', 'See also', 'References'], ['Highways', 'Ports and Harbors', 'Airports', 'Change from right-hand to left-hand traffic', 'See also', 'References'], ['Economic and financial crisis', 'Property boom and bust (2003–2014)', 'Real estate recovery', 'Euro debt crisis', 'Employment crisis', 'Youth crisis', 'Employment recovery', 'Reduction of European Union funds', 'Economic recovery (2014–present)', 'Data', 'Largest cities', 'Religion', 'Politics', 'Administrative divisions', 'Economy', 'Agriculture', 'Industry and manufacturing', 'Statistics', 'GDP growth', 'Economic sectors', 'Events', 'Births', 'Deaths', 'Numerals', 'Verbs', 'Adverbs', 'Prepositions', 'History', 'Relationships to other languages', 'Czech', 'Other Slavic languages', 'Latin', 'English', 'Syntax', 'Literals', 'Variable declarations', 'Assignment', 'Messages', 'Expressions', 'Code blocks', 'Control structures', 'Classes', 'Methods', 'Etymology', 'Characteristics', 'Behavior', 'Feeding', 'The Colossus', 'The Bell Jar', 'Double Exposure', 'Ariel', 'Other works', 'Journals and letters', 'Hughes controversies', 'Themes and legacy', 'Portrayals in media', 'Poetry collections', 'Monopoly charges and antitrust legislation', 'Breakup', 'Legacy and criticism of breakup', 'Successor companies', 'Rights to the name', 'See also', 'References', 'Notes', 'Bibliography'], ['Fourth Quarter', 'Box score', 'Final statistics', 'Statistical comparison', 'Individual statistics', 'Records Set', 'Starting lineups', 'Officials', 'References'], ['Background', 'Military preparation', 'Armies and weapons', 'Armies', 'Language', 'Awards and critical acclaim', 'Death and legacy', 'Beit Agnon', 'Published works', 'Novels and novellas', 'Short stories', 'English translations', 'Anthologies', 'Posthumous publications', 'Tactics', 'Elector confusion', 'Other', 'Analysis of results', 'Migration of preferences', 'See also', 'Notes', 'References', 'Bibliography', 'Further reading', 'Further reading'], ['Etymology', 'Demographic trends', 'CIA World Factbook demographic statistics', 'Ethnic groups', 'Languages', 'The testing process', 'Interpretation', 'Use and importance', 'Cautions', 'Examples', 'Additional details required to visualize or implement Turing machines', 'Alternative definitions', 'The "state"', 'Turing machine "state" diagrams', 'Models equivalent to the Turing machine model', 'Choice c-machines, oracle o-machines', 'Universal Turing machines', 'Comparison with real machines', 'Limitations of Turing machines', 'Computational complexity theory', 'Reception', 'Critical response', 'Accolades', 'Legacy', 'Lasting reception', 'Cultural impact', 'References', 'Citations', 'Documents', 'Further reading', 'Onion Radio News', 'Onion Public Radio', 'The Onion influence on the real world', 'Taken seriously', 'As a political actor', 'Controversies', 'U.S. Presidential Seal dispute', '85th Academy Awards controversy', 'Murder of The Big Show', 'See also', 'Ted Hughes Society', 'Ted Hughes Paper Trail', 'Elmet Trust', 'Selected works', 'Poetry collections', 'Volumes of translation', 'Anthologies edited by Hughes', 'Short story collection', 'Prose', 'Books for children', 'Discovery and significance', 'Names', 'Writing system', 'Tocharian A and B', 'Tocharian C', 'Phonology', 'Vowels', 'Etymology and origins', 'History', 'Jaffa', 'Debates on amending the Constitution', 'Argument for state power', 'Government tyranny', 'Preserving slave patrols', 'Conflict and compromise in Congress produce the Bill of Rights', 'Militia following ratification', 'Scholarly commentary', 'Early commentary', 'Richard Henry Lee', 'George Mason', 'Geographic location', 'Relief', 'Physiographic division of Ukraine', 'Great European Plain (subregion East European Plain)', 'Faculties, programs, & affiliated colleges', 'School of Arts and Social Sciences', 'School of Professional Studies', 'Shannon School of Business', 'School of Science and Technology', "Unama'ki College", 'Scholarships and bursaries', 'Research', "Students' union", 'Student Representative Council', 'Party foundation', 'Political rise', 'Conventions and elections', 'Legacy', 'Second Anti-Masonic Party', 'Members of Congress', 'Notable office holders and candidates', 'Electoral history', 'Presidential elections', 'Congressional elections', 'Bitrate peeling', 'Container formats', 'Metadata', 'Licensing', 'Support', 'Hardware', 'Application software', 'See also', 'Notes', 'References'], ['See also', 'References']]



['Wikipedia: Peace process', 'Wikipedia: Quetzalcoatlus', 'Wikipedia: RNA world', 'Wikipedia: Red Army Faction', "Wikipedia: B'Elanna Torres", 'Wikipedia: Military of Samoa', 'Wikipedia: Sorious Samura', 'Wikipedia: Shooting', 'Wikipedia: Seismology', 'Wikipedia: Super Bowl XVIII', 'Wikipedia: Steve Ditko', 'Wikipedia: Stellarator', 'Wikipedia: Trade secret', 'Wikipedia: The Residents', 'Wikipedia: Taoiseach', 'Wikipedia: United Methodist Church', 'Wikipedia: Vladimir Arnold', 'Wikipedia: Volkswagen Group']
[['Sources'], ['Definitions', 'Pathophysiology', 'Paralytic polio', 'Spinal polio', 'Bulbar polio', 'Bulbospinal polio', 'Diagnosis', 'Prevention', 'Passive immunization', 'Vaccine', 'Treatment', 'Discovery and species', 'Description', 'Size', 'Research ethics', 'Problems in research', 'Meta-research', 'Methods of research', 'Linguicism', 'Publication peer review', 'Influence of the open-access movement', 'Future perspectives', 'Professionalisation', 'In Russia'], ['History', 'Properties of RNA', 'Popular culture', 'References', 'Further reading'], ['Pensioner, Student and Fellow of Emmanuel College (1630–45)', '11th Regius Professor of Hebrew (1645) and 26th Master of Clare Hall (1645–54)', "Marriage (1654) and 14th Master of Christ's College (1654–88)", 'Commonwealth and Restoration', 'Later life', 'Works', 'Sermons and Treatises', 'A Treatise concerning eternal and immutable Morality (posth.)', 'A Treatise of Freewill (posth.)', 'The True Intellectual System of the Universe (1678)', 'Applications and related data structures', 'Operations', 'Insertion', 'Removal', 'Proof of asymptotic bounds', 'Set operations and bulk operations', 'Parallel algorithms', 'Parallel bulk operations', 'Join-based', 'Execution time', 'Definition and scopes', 'History', "Bahá'í Faith", 'Buddhism', 'Classical civilization: Greek and Roman religions', 'Christianity', 'Classical Christian views', 'Modern Christian views', 'Hinduism', 'Transport', 'See also', 'Notes', 'Content notes', 'References', 'Citations', 'Sources'], ["Workers' communes", 'Autonomous Republics of the Soviet Union', 'Former Autonomous Soviet Socialist Republics of the Soviet Union', 'Dissolution of the Soviet Union', 'See also', 'Notes', 'References', 'Character development', 'Character overview', 'Starfleet Academy and Maquis', 'USS Voyager'], ['Banking system', 'Prices', 'Economic strengths', 'Infrastructure', 'Exports grow steadily', 'Sectors of the economy', 'External trade', 'Tourism', 'Automotive industry', 'Energy', 'Unemployment rate', 'Transport', 'Roads', 'Railways', 'Airports', 'Ports', 'Planned bridge', 'Tourism', 'UNESCO World Heritage Sites', 'Tentative Sites', 'Holidays and observances', 'References'], ['German', 'Hungarian', 'Dialects', 'Regulation', 'See also', 'References', 'Bibliography', 'Further reading'], ['Instantiating classes', 'Hello World example', 'Image-based persistence', 'Level of access', 'Just-in-time compilation', 'List of implementations', 'See also', 'References', 'Further reading'], ['Taxonomy', 'See also', 'References', 'Further reading'], ['Collected prose and novels', "Children's books", 'Popular recognition', 'See also', 'References', 'Notes', 'Citations', 'Sources', 'Further reading', 'Video', 'History', 'Types of seismic wave', 'Body waves', 'See also', 'Background', 'Washington Redskins', 'Weapons', 'Fighting fronts', 'Air attack', 'Gaza Strip and Sinai Peninsula', 'Northern (El Arish) Israeli division', 'Advance on Arish', 'Mid-front (Abu-Ageila) Israeli division', 'Other Israeli forces', 'The Egyptian Army', 'Next fighting days', 'See also', 'References', 'Bibliography'], [], ['History', 'Previous work', 'Norse mythology', 'Scandinavian folklore', 'See also', 'Notes', 'References'], ['Religion', 'Population', 'Age structure', 'Population growth rate', 'Net migration rate', 'Sex ratio', 'Life expectancy at birth', 'Education', 'Literacy', 'Vital statistics', 'Human sex ratio', 'Lady tasting tea', 'Courtroom trial', "Philosopher's beans", 'Clairvoyant card game', 'Radioactive suitcase', 'Definition of terms', 'Common test statistics', 'Variations and sub-classes', 'History', 'Concurrency', 'Interaction', 'History', 'Historical background: computational machinery', 'The Entscheidungsproblem (the "decision problem"): Hilbert\'s tenth question of 1900', "Alan Turing's a-machine", '1937–1970: The "digital computer", the birth of "computer science"', '1970–present: the Turing machine as a model of computation', 'See also', 'Notes'], ['History', '1965–1972: Origins and Residents Unincorporated', 'References'], ['Overview', 'Plays', 'Limited editions', 'In other media', 'References', 'Citations', 'Sources'], ['Diphthongs', 'Consonants', 'Morphology', 'Nouns', 'Verbs', 'Categories', 'Classes', 'Present indicative', 'Subjunctive', 'Preterite', '1904–1917: Foundation in the Late Ottoman Period', 'British administration 1917-34: Townships within the Jaffa Municipality', '1934 municipal independence from Jaffa', 'State of Israel', 'Independence', 'Growth in the 1950s and 1960s', '1970s and 1980s population and urban decline', '1990s to present', 'Arab–Israeli conflict', 'Geography', 'Tench Coxe', 'Tucker/Blackstone', 'William Rawle', 'Joseph Story', 'Lysander Spooner', 'Timothy Farrar', 'Judge Thomas Cooley', 'Commentary since late 20th century', 'Meaning of "well regulated militia"', 'Meaning of "the right of the People"', 'Alpine system', 'Hydrography', 'Climate', 'Natural resources', 'Environmental issues', 'See also', 'References'], ['Clubs and societies', 'Newspaper', 'Athletics', 'Notable alumni', 'See also', 'References'], ['References', 'Sources', 'History'], ['Biography', 'Death'], ['History', '1937 to 1945']]



['Wikipedia: Peyton Randolph', 'Wikipedia: Quedlinburg', 'Wikipedia: RMS Laconia', 'Wikipedia: Calendar-based contraceptive methods', 'Wikipedia: Stendhal', 'Wikipedia: Telecommunications in Spain', 'Wikipedia: Salicylic acid', 'Wikipedia: Cyanoacrylate', 'Wikipedia: List of tourist attractions in Sardinia', 'Wikipedia: Politics of Tajikistan', 'Wikipedia: The Hobbit', 'Wikipedia: Trail riding', 'Wikipedia: Trie']
[['Early life', 'Political career', 'Death and legacy', 'See also', 'References', 'Middle East', 'Africa', 'History', 'Etymology', 'Research', 'References', 'Further reading'], ['History', 'Geography', 'Location', 'Neighbouring communities', 'Life', 'Early life', 'Visions', 'France', 'Netherlands', 'Sweden', 'Death', 'Further developments', 'Alternative hypotheses', 'RNA-peptide coevolution', 'Implications of the RNA world', 'See also', 'References', 'Further reading'], ['Acts of terrorism', 'German Autumn', '"Stammheim Death Night"', 'RAF since the 1980s', 'Dissolution', 'Legacy', 'List of assaults attributed to the RAF', 'RAF Commandos', 'Films', 'Fiction and art', 'History', 'Geography', 'Climate', 'Demographics', 'Education', 'Public schools', 'Private schools', 'All set index articles', 'Articles with short description', 'Set indices on ships', 'Ship names', 'Short description is different from Wikidata', 'Works cited', 'Further reading'], ['Life', 'Pseudonyms', 'Works', 'Treatment', 'Topical/symptomatic', 'Kidney disease', 'Lung disease', 'Epidemiology', 'Society and culture', 'Support groups', 'Prognosis', 'Research', 'References', 'Concept and development', 'Appearances', 'Background', 'Star Trek: Voyager', 'The Kazon and Seska', 'Entering Borg space', 'Voyager relaunch novels', 'Reception', 'Themes', 'Curacies', 'Military', 'Crossbow Corps', 'Guard of the Rock', 'Guard of the Grand and General Council', 'Company of Uniformed Militia', 'Military Ensemble', 'Gendarmerie', 'Economy', 'Taxation', 'Telephones (landline and cellular)', 'Radio', 'Television', 'Internet', 'See also', 'Education', 'Cuisine', 'Sports', 'Popular culture', 'Traditional items', 'Flag and emblem', 'Notable people', 'See also', 'References', 'Further reading', 'Career', 'Origins of Apple', 'Apple formation and success', 'Plane crash and temporary leave from Apple', 'UC Berkeley and US Festivals', 'Return to Apple product development', 'Final departure from Apple workforce', 'Post-Apple career', 'Patents', 'Philanthropy', 'Incredibly distant superclusters', 'Diagram', 'See also', 'References'], ["Founding the South African Students' Organisation: 1968–1972", 'Developing SASO', 'Attitude to liberalism and personal relations', "Black Consciousness activities and Biko's banning: 1971–1977", "Black People's Convention", 'Banning order', 'Death: 1977', 'Arrest and death', 'Response and investigation', 'Ideology', 'Kneeling', 'Standing (or offhand)', 'Rice paddy squat in rifle shooting', 'Slings', 'Competitions', 'See also', 'References', '1983–1992: Beginnings', '1993–1994: Shania Twain', '1995–1996: The Woman in Me and commercial success', '1997–2001: Come On Over and international pop breakthrough', '2002–2004: Up!', '2004–2010: Greatest Hits and delay of new album', '2011–2015: Return to music, residency, and tour', '2016–present: Now, second Las Vegas residency', 'TV and film career', 'Endorsements', 'Notable seismologists', 'See also', 'Notes', 'References'], ['Box score', 'Final statistics', 'Statistical comparison', 'Individual statistics', 'Records Set', 'Starting lineups', 'Officials', 'References'], ['Israelis debate whether the Golan Heights should be attacked', 'Israeli attack: first day (9 June)', 'Israeli attack: the next day (10 June)', 'Conclusion', 'Casualties', 'Controversies', 'Preemptive strike v. unjustified attack', 'Allegations of atrocities committed against Egyptian soldiers', 'Allegations of military support from the US, UK and Soviet Union', 'USS Liberty incident', 'BBC documentary', 'Bibliography', 'References'], ['Stellarator concept', 'Complications, alternative designs', 'Heating', 'Plasma heating', 'Configurations', 'Recent results', 'Optimization to reduce transport losses', 'See also', 'Notes', 'References', 'Worldwide', 'Commonwealth nations', 'England and Wales', 'Hong Kong', 'European Union', 'United States', 'State law', 'Federal law', 'Comparison to other types of intellectual property law', 'Comparison with trademarks', 'Political background', 'Executive branch', 'Legislative branch', 'Judicial branch', 'Administrative divisions', 'Further reading'], ['Online calculators', 'Types and uses of trails', 'Equestrian use', 'Pleasure riding', 'Equestrian competition', 'Mountain biking', 'See also', '"Freak Show" and "Our Finest Flowers" (1990–1993)', '"The Gingerbread Man", "Bad Day on the Midway" and the "missing year" (1994–1997)', '1997 Tribute?', '1998–2009: The "Storyteller" era', '"Wormwood" (1998–2000)', '"Demons Dance Alone" and "Animal Lover" (2001–2005)', '"The River of Crime", "Tweedles!" and "The Bunny Boy" (2006–2009)', '2010–2017: "Randy, Chuck and Bob" and "The Ghost of Hope"', '"Talking Light" and "Sam\'s Enchanted Evening" (2010–2012)', '"The Wonder of Weird" and "Theory of Obscurity" (2012–2015)', 'Timeline', 'See also', 'Notes', 'References', 'Further reading', 'Biographies'], ['Alliance with Spain', 'Annulment', 'Domestic achievements', 'Taxation', 'Justice', 'Church reforms', 'Relationships', 'Art patronage', 'Failures with the Church', 'Downfall and death', 'History and etymology', 'Applications', 'As a replacement for other data structures', 'Dictionary representation', 'Term indexing', 'Cityscape', 'Architecture', 'Bauhaus', 'High-rise construction and towers', 'Economy', 'Culture and contemporary life', 'Entertainment and performing arts', 'Tourism and recreation', 'Nightlife', 'Fashion', 'McDonald v. City of Chicago', 'Caetano v. Massachusetts', 'New York State Rifle & Pistol Association Inc. v. City of New York, New York', 'United States Courts of Appeals decisions before and after Heller', 'Before Heller', 'After Heller', 'D.C. Circuit', 'First Circuit', 'Second Circuit', 'Fourth Circuit', 'Ukrainian provinces of the Russian Empire', 'Between WWI and WWII', 'After WW II', 'Current vital statistics', 'Life expectancy at birth', 'Total fertility rate', 'Demographic statistics', 'Birth data by oblast', 'Year in review 2013', 'Net migration rate', 'Fredericton', 'Architecture', 'National Historic Sites', 'Saint John', 'Sustainability', 'Programs', 'Research and academics', 'Reputation', "Poets' Corner", 'Institute of Biomedical Engineering', 'Social issues', 'Abortion', 'Alcohol', 'Capital punishment', 'Creation', 'Euthanasia', 'Gambling', 'Gun control', 'Homosexuality', 'Military service', 'Other', 'Honours and awards', 'Fields Medal omission', 'Selected bibliography', 'Collected works', 'See also', 'References', 'Further reading'], ['Stock market listings', 'Leadership, sales and market share', 'Sponsorships', 'See also', 'Notes', 'References', 'Corporate documents'], []]



['Wikipedia: Product topology', 'Wikipedia: Public limited company', 'Wikipedia: Ribosome', 'Wikipedia: Radiosity (computer graphics)', 'Wikipedia: Retroactive continuity', 'Wikipedia: Slave narrative', 'Wikipedia: Maquis (Star Trek)', 'Wikipedia: Transport in Spain', 'Wikipedia: Stanley Milgram', 'Wikipedia: Shooting sports', 'Wikipedia: Super Bowl XIX', 'Wikipedia: List of people from Sardinia', 'Wikipedia: SLA', 'Wikipedia: Economy of Tajikistan', 'Wikipedia: Terry Gilliam', 'Wikipedia: Tree rotation', 'Wikipedia: Andreas Vesalius', 'Wikipedia: Vaccine']
[['Further reading'], ['Definition', 'Registration', 'Company directors', 'Share capital', 'Share types', 'Company formation', 'Climate', 'Demographics', 'Governance', 'Town twinning', 'Attractions', 'Infrastructure', 'Transport', 'Air', 'Railway', 'Bus', 'Philosophical work', 'Dualism', 'Physiology and psychology', 'Moral philosophy', 'Religion', 'Natural science', 'On animals', 'Historical impact', 'Emancipation from Church doctrine', 'Mathematical legacy', 'Overview', 'Discovery', 'Structure', 'Bacterial ribosomes', 'Eukaryotic ribosomes', 'Notes', 'References', 'Bibliography', 'Further reading'], ['Colleges and universities', 'Professional education', 'Sports', 'Transportation', 'Airport', 'Bus routes', 'Major highways', 'Railroads', 'Local industry', 'Notable residents', 'Etymology', 'Types', 'Addition', 'Alteration', 'Terminology', 'History', 'Early methods', 'Knaus–Ogino or rhythm method', 'Later 20th century to present', 'Types and effectiveness', 'Rhythm method (Knaus–Ogino method)', 'Standard Days Method', 'Software-based systems', 'Advantages', 'Novels', 'Novellas', 'Biography', 'Autobiography', 'Non-fiction', 'Crystallization', 'Critical appraisal', 'Stendhal syndrome', 'See also', 'Notes'], ['As a literary genre', 'North American slave narratives', 'Notes', 'Citations', 'References'], ['Tourism', 'Conventions with Italy', 'Population', 'Demographics', 'Notable people', 'Religion', 'Transport', 'Public transport', 'Railway', 'Culture', 'References', 'Rail transport and AVE transport', 'Cities with metro/light rail systems'], ['Biography', 'Early and personal life', 'Honors and awards', 'Honorary degrees', 'In media', 'Documentaries', 'Feature films', 'Television', 'Personal life', 'Views on artificial superintelligence', 'See also', 'References', 'Uses', 'Medicine', 'Uses in manufacturing', 'Other uses', 'Mechanism of action', 'Safety', 'Chemistry and production', 'History', 'Black Consciousness and empowerment', 'Foreign and domestic relations', 'On a post-apartheid society', 'Personal life and personality', 'Legacy', 'Influence', 'Commemoration', 'See also', 'References', 'Footnotes', 'History', 'Great Britain', 'United States', 'Olympics', 'Competition disciplines', 'Gun shooting sports', 'Personal life', 'Awards and honours', 'Discography', 'Filmography', 'Concerts', 'See also', 'References', 'Footnotes', 'Sources'], ['Development', 'Monomers', 'Uses', 'General properties', 'Electronics', 'Aquaria', 'Smooth surfaces', 'Filler', 'Background', 'Miami Dolphins', 'San Francisco 49ers', 'Playoffs', 'Aftermath', 'Israel and Zionism', 'Jews in Arab countries', 'Antisemitism against Jews in Communist countries', 'War of Attrition', 'Peace and diplomacy', 'Occupied territories and Arab displaced populations', 'Long term', 'See also', 'Notes', 'Main towns', 'Other locations', 'See also'], ['Citations', 'Bibliography'], ['Comparison with patents', 'Criticism', 'Cases', 'See also', 'References and notes', 'Further reading'], ['Provincial and local government', 'Electoral system', 'Recent elections', 'Political parties', 'International organization participation', 'Notes', 'Characters', 'Plot', 'Concept and creation', 'Background', 'Setting', 'Influences', 'Publication', 'Revisions', 'Posthumous editions', 'Illustration and design', 'References', 'Early life', 'Career', '"Shadowland", the departure of Charles Bobuck, and "The Ghost of Hope" (2015–2016)', '2017–present: "The Real Residents" and "pREServed" series', 'Identity', 'Hardy Fox', 'Discography', 'Albums', 'Preserved sets', 'Compilation albums', 'Live albums', 'Singles and EPs', 'Illustration', 'Detailed illustration', 'Inorder invariance', 'Rotations for rebalancing', 'Rotation distance', 'See also', 'Mistress and issue', 'Fictional portrayals', 'Memorials', 'Other', 'Arms', 'References', 'Notes', 'Citations', 'Sources', 'Further reading', 'Algorithms', 'Autocomplete', 'Sorting', 'Full-text search', 'Implementation strategies', 'Bitwise tries', 'Compressing tries', 'External memory tries', 'See also', 'References', 'LGBT culture', 'Cuisine', 'Museums', 'Sports', 'Media', 'Environment and urban restoration', 'Transportation', 'Bus and taxi', 'Rail', 'Light rail', 'Fifth Circuit', 'Sixth Circuit', 'Seventh Circuit', 'Ninth Circuit', 'See also', 'Notes', 'Citations', 'References', 'Books', 'Periodicals', 'Infant mortality rate', 'Total fertility rate by oblast', 'Other demographics statistics', 'Statistic rate of regional capitals', 'Ethnic groups', 'Before World War II', 'After World War II', 'Languages', 'Religion', 'Regional differences', 'Canadian Rivers Institute', "Mi'kmaq-Wolastoqey Centre (MWC)[https://www.unb.ca/mwc/]", 'Canadian Research Institute for Social Policy', 'Medical Training Centre', 'Scholarships', 'Student life', 'Athletics', 'Songs', 'Notable facts and milestones', 'Notable alumni', 'Pornography', 'Stem cell research', 'Worship and liturgy', 'Order of worship', 'Gathering', 'Prayers', 'Proclamation', 'Response', 'Going forth', 'Saints', 'Early life and education', 'Medical career and accomplishments', 'Imperial physician and death', 'Publications', 'Adverse effects', 'Types', 'Inactivated', 'Attenuated', 'Toxoid']]



['Wikipedia: Quantization', 'Wikipedia: Relativity', 'Wikipedia: Roulette', 'Wikipedia: Syndicalism', 'Wikipedia: Saxons', 'Wikipedia: Seaborgium', 'Wikipedia: Survivor', 'Wikipedia: Session Description Protocol', 'Wikipedia: Spectrum', 'Wikipedia: SYSTRAN', 'Wikipedia: Tensor', 'Wikipedia: Tacitus on Christ', 'Wikipedia: The New York Times Company', 'Wikipedia: Triode', 'Wikipedia: The Age of Reason', 'Wikipedia: Fourth Amendment to the United States Constitution']
[['Examples', 'Properties', 'Relation to other topological notions', 'Axiom of choice', 'See also', 'Notes', 'References'], ['Paper process', 'Electronic process', 'Annual returns', 'Conversion', 'Private limited company to a public limited company', 'See also', 'References'], ['Notable people', 'References', 'Further reading'], ["Influence on Newton's mathematics", 'Contemporary reception', 'Legacy', 'Bibliography', 'Writings', 'Collected editions', 'Early editions of specific works', 'Collected English translations', 'Translation of single works', 'References', 'Plastoribosomes and mitoribosomes', 'Making use of the differences', 'Common properties', 'High-resolution structure', 'Function', 'Translation', 'Cotranslational folding', 'Addition of translation-independent amino acids', 'Ribosome locations', 'Free ribosomes', 'Visual characteristics', 'Overview of the radiosity algorithm', 'Mathematical formulation', 'Solution methods', 'Sampling approaches', 'Reducing computation time', 'Advantages', 'Limitations', 'See also', 'References'], ['Subtraction', 'Temporal compression', 'Related concepts', 'See also', 'Notes', 'References'], ['Potential concerns', 'Failure rate', 'Embryonic health', 'Destruction of fertilized eggs', 'References', 'References', 'Sources', 'Further reading'], ['Tales of religious redemption', 'Tales to inspire the abolitionist movement', 'Tales of progress', 'WPA slave narratives', 'North American slave narratives as travel literature', 'North African slave narratives', 'Women slave narratives', 'Other historical slave narratives', 'Contemporary slave narratives', 'Neo-slave narratives', 'Concept', 'Storyline', 'Episodes', 'Maquis-focused episodes', 'Characters', 'Fictional spacecraft', 'References'], ['University', 'Sport', 'Cuisine', 'UNESCO', 'Music', 'Public holidays and festivals', 'See also', 'References'], ['Railway links with adjacent countries', 'Tunnel across the Strait of Gibraltar', 'High-speed rail', 'Road system', 'Waterways', 'Pipelines', 'Ports and harbors', 'Merchant marine', 'Air transport', 'Airports – with paved runways', 'Professional life', 'Death', 'Obedience to authority', 'Small-world phenomenon', 'Lost letter experiment', 'Anti-social behavior experiment', 'Cyranoids', 'References in media', 'See also', 'References'], ['Photographs', 'Etymology', 'Dietary sources', 'Plant hormone', 'See also', 'References'], ['Sources', 'Further reading'], ['Bullseye shooting', 'Bullseye shooting with handguns', 'Bullseye shooting with rifles', 'Field shooting', 'Field shooting with handguns', 'Field shooting with rifles', 'Rapid fire', 'Rapid fire with handguns', 'Rapid fire with rifles', 'Clay target', 'Session description', 'Attributes', 'Time formats and repetitions', 'Forensics', 'Woodworking', 'Medical and veterinary', 'Archery', 'Cosmetics', 'Safety issues', 'Skin injuries', 'Toxicity', 'Reaction with cotton, wool, and other fibrous materials', 'Solvents and debonders', 'Pregame news and notes', 'Broadcasting', 'Television', 'Announcers', 'Aftergame', 'Radio', 'Overseas broadcasts', 'In popular culture', 'Entertainment', 'Pre-game', 'References', 'Further reading'], ['Academic figures and inventors', 'Activists', 'Architects and designers', 'Authors', 'Businessmen', 'Cinema and TV', 'Actors & actresses', 'Filmmakers', 'Geography', 'Science and engineering', 'Organizations', 'Other', 'Definition', 'As multidimensional arrays', 'As multilinear maps', 'Using tensor products', 'Tensors in infinite dimensions', 'Tensor fields', 'Economic history', 'Gross domestic product', 'Industries', 'Agriculture', 'Forestry', 'Fishing', 'Mining and minerals', 'Genre', 'Style', 'Critical analysis', 'Themes', 'Interpretation', 'Reception', 'Legacy', 'The Lord of the Rings', 'In education', 'Adaptations', 'Animation', 'Monty Python', 'Directing', 'Themes and philosophy', 'Look and style', 'Production problems', 'Box office', 'Recurring collaborators', 'Gilliam and Harry Potter', 'Secret Tournament', 'Multimedia projects', 'References', 'Further reading'], ['References'], ['History'], ['History', 'Precursor devices'], ['Historical context', 'Intellectual context: 18th-century British deism', 'Roads', 'Air', 'Cycling', 'Foreign relations', 'Future', 'People born in Tel Aviv', 'Notes', 'References', 'Bibliography'], ['Other publications', 'Further reading'], ['Regional differences in population change', 'Regional differences in birth and fertility rates', 'Regional differences and death rates and health', 'Regional differences in income', 'Urbanization', 'Migration', 'See also', 'References'], ['Media', 'Radio', 'Newspapers', 'Magazines and journals', 'See also', 'Further reading', 'References'], ['Organization', 'Governance', 'General Conference', 'Jurisdictional and central conferences', 'Judicial Council', 'Annual Conference', 'Districts', 'Local churches', 'Administrative offices', 'Education', 'De Humani Corporis Fabrica', 'Excerpts', 'Other publications', 'Scientific findings', 'Skeletal system', 'Muscular system', 'Vascular and circulatory systems', 'Nervous system', 'Abdominal organs', 'Heart', 'Subunit', 'Conjugate', 'Heterotypic', 'Experimental', 'Valence', 'Other contents', 'Adjuvants', 'Preservatives', 'Excipients', 'Nomenclature']]



['Wikipedia: Playdia', 'Wikipedia: Posada, Sardinia', 'Wikipedia: Quantum theory', 'Wikipedia: Reign of Terror', 'Wikipedia: Rochester', 'Wikipedia: Stephen King', 'Wikipedia: Kes (Star Trek)', 'Wikipedia: History of San Marino', 'Wikipedia: Foreign relations of Spain', 'Wikipedia: Senegal River', 'Wikipedia: Session Announcement Protocol', 'Wikipedia: Shell script', 'Wikipedia: Tax Freedom Day', 'Wikipedia: Clangers', 'Wikipedia: Politics of Ukraine', 'Wikipedia: University of Sudbury', 'Wikipedia: Vernor Vinge']
[['Playdia title complete list', '1994 (11 titles)', '1995 (16 titles)', '1996 (6 titles)', 'Not for sale (6 titles)', 'History', 'Economy', 'References'], ['Signal processing', 'Physics', 'Computing', 'Linguistics', 'Similar terms', 'Notes', 'Citations', 'Sources'], ['General', 'Bibliographies', 'Stanford Encyclopedia of Philosophy', 'Internet Encyclopedia of Philosophy', 'Other', 'Membrane-bound ribosomes', 'Biogenesis', 'Origin', 'Heterogeneous ribosomes', 'See also', 'References'], ['Confusion about terminology', 'See also', 'References', 'Further reading'], ['Physics', 'Social sciences', 'Popular culture', 'Television', 'Music', 'Other', 'See also', 'Places', 'Australia', 'Canada', 'United Kingdom', 'United States', 'Ecclesiastical areas', 'History', 'Rules of play against a casino', 'California Roulette', 'Roulette wheel number sequence', 'Roulette table layout', 'Types of bets', 'Inside bets', 'Outside bets', 'Terminology', 'Emergence', 'Rise', 'Reasons', 'Principles', 'Critique of capitalism and the state', 'Views on class struggle', 'Gender', 'Heyday', 'See also', 'References'], ['Development', 'Creation and casting', 'Characterization and relationships', 'Departure and return', 'Origins', 'During the feudal era', 'Constitution', 'Napoleonic Wars', 'Airports – with unpaved runways', 'Airlines based in Spain', 'Heliports', 'References', 'Further reading'], ['Geography', 'Saxon as a demonym', 'Celtic languages', 'Romance languages', 'Non-Indo-European languages', 'Related surnames', 'Saxony as a toponym', 'History', 'Early history', 'Netherlands', 'Italy and Provence', 'Introduction', 'History', 'Isotopes', 'Properties', 'Physical', 'Chemical', 'Experimental chemistry', 'Notes', 'Actual survivors', 'Arts, entertainment, and media', 'Fictional entities', 'Films', 'Games', 'Literature', 'Music', 'Groups and labels', 'Albums', 'Songs', 'Running target', 'Moving target', 'Disappearing target', 'Practical shooting', 'Long range', 'Benchrest', 'Metallic silhouette', 'Western', 'Muzzleloading', 'Para shooting', 'Notes', 'References'], ['Shelf life', 'References', 'Further reading'], ['Halftime', 'Game summary', 'First Quarter', 'Second Quarter', 'Second Half', 'Highlights', 'Reactions', 'Box score', 'Final statistics', 'Statistical comparison', 'Etymology', 'Physical science', 'Electromagnetic spectrum', 'Mass spectrum', 'Energy spectrum', 'Discrete spectrum', 'Spectrogram', 'Biological science', 'Mathematics', 'Social science', 'Showgirls and fashion models', 'Police officers', 'Criminals', 'Journalists', 'Mercenaries, soldiers & troops', 'Musicians and singers', 'Visual artists', 'Painters, illustrators, photographers, sculptors', 'Cartoonists & comics creators', 'Politicians', 'History', 'Business situation', 'Languages', 'See also', 'References'], ['Examples', 'Properties', 'Notation', 'Ricci calculus', 'Einstein summation convention', 'Penrose graphical notation', 'Abstract index notation', 'Component-free notation', 'Operations', 'Tensor product', 'Industry and manufacturing', 'Energy', 'Services', 'Tourism', 'Labor', 'Currency, exchange rate, and inflation', 'Government budget', 'Foreign economic relations', 'WTO', 'See also', "Collectors' market", 'See also', 'References', 'Sources'], ["Slava's Diabolo", 'The Imaginarium of Doctor Parnassus', 'The Zero Theorem', 'Opera director', 'Projects in development or shelved', 'The Man Who Killed Don Quixote', 'Future projects', 'Charitable activities', 'Personal life', 'Filmography', 'The passage and its context', 'Specific references', 'Christians and Chrestians', 'The rank of Pilate', 'Authenticity and historical value', 'Other early sources', 'See also', 'Notes', 'References', 'Radio stations', 'Company holdings', 'Ownership', 'Carlos Slim loan and investment', 'Community awards', 'See also', 'Notes'], ['Invention', 'Wider adoption', 'Construction', 'Low power triodes', 'High-power triodes', 'Lighthouse tubes', 'Operation', 'Applications', 'Characteristics', 'See also', 'Political context: French Revolution', 'Publishing history', 'Structure and major arguments', 'Analysis', 'Reason and revelation', 'Analysis of Bible', 'Church and state', 'Intellectual debts', 'Rhetoric and style', '"Vulgar" language', 'Background', 'Storyline', 'Text', 'Background', 'English law', 'Colonial America', 'Proposal and ratification', 'Applicability', 'Search', 'Seizure', 'Exceptions', 'Warrant', 'Constitution and fundamental freedoms', 'Fundamental Freedoms and basic elements of constitutional system', 'Executive branch', 'Legislative branch', 'History', 'References'], ['Clergy', 'Ordination of women', 'Bishop', 'Elder', 'Deacon', 'Provisional clergy', 'Local pastors', 'Laity', 'Lay servant', 'Certified lay ministers', 'Other achievements', 'Scientific and historical impact', 'See also', 'References', 'Sources'], ['Schedule', 'Economics of development', 'Patents', 'Production', 'Delivery systems', 'Veterinary medicine', 'DIVA vaccines', 'History', 'Generations of vaccines', 'Timeline']]



['Wikipedia: Pidgin', 'Wikipedia: Puget Sound Naval Shipyard', 'Wikipedia: QRP operation', 'Wikipedia: Romansh language', 'Wikipedia: Real-time computing', 'Wikipedia: Red Sea', 'Wikipedia: September 15', 'Wikipedia: Survivor: Africa', 'Wikipedia: Synchronized Multimedia Integration Language', 'Wikipedia: Super Bowl XXI', 'Wikipedia: Social dynamics', 'Wikipedia: Stephen I of Hungary', 'Wikipedia: Telecommunications in Tajikistan', 'Wikipedia: The Fantasy Trip', 'Wikipedia: Tampa Bay Buccaneers', 'Wikipedia: Flower Pot Men', 'Wikipedia: University of Prince Edward Island', 'Wikipedia: Veterinary medicine']
[['Internal details', 'References'], ['History', 'Installations', 'Historic districts', 'Operations', 'Science', 'Arts and other media', 'Linguistic classification', 'Dialects', 'History', 'Origins and development until modern times', 'History', 'Criteria for real-time computing', 'Real-time in digital signal processing', 'Live vs. real-time', 'Real-time and high-performance', 'Near real-time', 'Barère and Robespierre glorify "terror"', 'Influences', 'Enlightenment thought', 'Threats of foreign invasion', 'Popular pressure', 'Religious upheaval', 'Major events during the Terror', 'Thermidorian Reaction', 'Extent', 'Names', 'History', 'Ancient era', 'Middle Ages and modern era', 'Oceanography', 'Events', 'People', 'Sports', 'Transport', 'Rochester Airport', 'Companies', 'Educational establishments', 'See also', 'Bet odds table', 'House edge', 'Mathematical model', 'Simplified mathematical model', 'Called (or call) bets or announced bets', 'Voisins du zéro (neighbors of zero)', 'Jeu zéro (zero game)', 'Le tiers du cylindre (third of the wheel)', 'Orphelins (orphans)', '... and the neighbors', 'Before World War I', 'World War I', 'Russian Revolution and post-war turmoil', "International Workers' Association", 'Decline', 'Fascism', 'Spanish Civil War', 'Legacy', 'See also', 'Notes', 'Early life', 'Career', 'Beginnings', 'Carrie and aftermath', 'The Dark Tower books', 'Pseudonyms===', 'Digital era', 'Collaborations', 'Writings', 'Music', 'Appearances', 'Star Trek: Voyager', 'Non-canonical appearances', 'Reception', 'Critical reception', 'Analysis', 'References', 'Notes', 'Citations', 'Book sources', '19th century', 'World War I', 'Inter-war period', 'World War II', 'Post-War period and modern times', 'See also', 'Sources', 'Further reading', 'History', 'Charles V', 'War of the Spanish Succession and after 1701–1759', 'American Revolutionary War: 1775-1783', 'Regional relations', 'Latin America', 'The Ibero-American vision', 'Trends in diplomatic relations', 'Sub-Saharan Africa', 'History', 'Arab sources', 'Cartographic representation', 'European contact', 'Etymology', 'See also', 'References', 'Sources', 'Further reading'], ['Gaul', 'Saxons in Britain', 'Later Saxons in Germany', 'Culture', 'Social structure', 'Religion', 'Germanic Religion', 'Christianity', 'Christian literature', 'See also', 'References', 'Bibliography'], ['Television', 'Series', 'Episodes', 'Other uses', 'See also', 'Competitions using factory and service firearms', 'Plinking', 'Athletic shooting sports', 'Bow shooting sports', 'Archery', 'Crossbow', 'Dart shooting sports', 'Sport blowgun', 'Confrontational shooting sports', 'Olympic dueling', 'Announcement interval', 'Authentication, encryption and compression', 'Applications and implementations', 'References'], ['Capabilities', 'Comments', 'Configurable choice of scripting language', 'Shortcuts', 'Batch jobs', 'Generalization', 'Verisimilitude', 'Programming', 'Other scripting languages', 'Individual statistics', 'Records Set', 'Starting lineups', 'Officials', 'References', 'References', 'Topics', 'See also', 'Sports figures', 'Athletics', 'Auto racing drivers', 'Basketball Players', 'Bicycle racers', 'Bodybuilders', 'Boxers & wrestlers', 'Canoers', 'Extreme Sportsmen', 'Footballers', 'Early years ( 975–997)', 'Reign (997–1038)', 'Grand Prince (997–1000)', 'Coronation (1000–1001)', 'Consolidation (1001– 1009)', 'Wars with Poland and Bulgaria ( 1009–1018)', 'Contraction', 'Raising or lowering an index', 'Applications', 'Continuum mechanics', 'Other examples from physics', 'Applications of tensors of order > 2', 'Generalizations', 'Tensor products of vector spaces', 'Tensor densities', 'Geometric objects', 'References'], ['Telephone', 'Purpose', 'History and methodology', 'United States', 'Around the world', 'European Union', 'Criticism', 'Mathematical', 'See also', 'Awards, nominations and honours', 'Academy Awards', 'BAFTA Awards', 'Golden Globe Awards', 'Saturn Awards', 'Other awards', 'References', 'Further reading'], ['Further reading', 'History', 'Jackson–Thompson split', '"Tampa Bay"', 'Franchise history', '1976–1978', '1979–1982', '1983–1996', 'References'], ['Original series', 'Irreverent tone', 'Religious influences', 'Reception and legacy', 'Britain', 'France', 'United States', 'See also', 'Notes', 'Bibliography', 'Modern reprints of The Age of Reason', 'Production', 'Awards', 'Characters', 'Other inhabitants', 'Visitors', 'Music and sound effects', 'Episode listing 1969 series', 'Series 1 (1969–1970)', 'Series 2 (1971–1972)', 'Specials', 'Probable cause', 'Exceptions to the warrant requirement', 'Consent', 'Plain view and open fields', 'Exigent circumstance', 'Motor vehicle', 'Searches incident to a lawful arrest', 'Border search exception', 'Foreign intelligence surveillance', 'Other exceptions', 'Political parties and elections', "Parties currently represented in the Verkhovna Rada (Ukraine's parliament)", 'Former parliamentary parties', 'Presidential Election 2014', 'Parliamentary Election 2012', 'Presidential Election 2010', 'Parliamentary Election 2007', 'Presidential Election 2004', 'Judicial branch', 'Local government', 'History', 'Legacy', 'Campus', 'Organization', 'Academics', 'Ecumenical relations', 'Membership trends', 'Churchwide giving', 'See also', 'References', 'Further reading', 'Primary sources'], ['Life and work', 'Personal life', 'Bibliography', 'Novels', 'Realtime/Bobble series', 'Zones of Thought series', 'Standalone novels', 'Trends', 'Plants as bioreactors for vaccine production', 'See also', 'References'], []]



['Wikipedia: Ruby (programming language)', 'Wikipedia: Rosół', 'Wikipedia: Soviet Union', 'Wikipedia: List of Star Trek: The Original Series episodes', 'Wikipedia: Geography of San Marino', 'Wikipedia: Demographics of San Marino', 'Wikipedia: Subset', 'Wikipedia: Superparamagnetism', 'Wikipedia: September 18', 'Wikipedia: Subtitle (disambiguation)', 'Wikipedia: Social evolution', 'Wikipedia: Transport in Tajikistan', 'Wikipedia: Tax', 'Wikipedia: Tetromino', 'Wikipedia: The Bell Curve', 'Wikipedia: Sixth Amendment to the United States Constitution', 'Wikipedia: Economy of Ukraine', 'Wikipedia: UPN']
[['Etymology', 'Terminology', 'Common traits', 'Development', 'Examples', 'See also', 'Notes', 'References', 'Further reading'], ['Ship-Submarine Recycling Program', 'Reserve fleet', 'Environmental issues', 'Gallery', 'See also', 'Notes'], ['Etymology', 'Philosophy', 'Practice', 'Weak signal modes', 'Equipment', 'Organizations', 'Contests and awards', 'See also', 'Romansh during the 19th and 20th centuries', 'Rumantsch Grischun', 'Official status in Switzerland and language politics', 'Official status at the federal level', 'Official status in the canton of Grisons', 'Romansh in education', 'Geographic distribution', 'Current distribution', 'Phonology', 'Orthography', 'Design methods', 'See also', 'References', 'Further reading'], ['See also', 'Notes', 'References', 'Citations', 'Works cited', 'Further reading', 'Primary sources', 'Secondary sources', 'Historiography'], ['Salinity', 'Tidal range', 'Current', 'Wind regime', 'Geology', 'Oilfields', 'Mineral resources', 'Ecosystem', 'Desalination plants', 'Security', 'Recipe', 'References', 'Final bets', 'Full completes/maximums', 'Betting strategies and tactics', 'Prediction methods', 'Specific betting systems', 'Labouchère system', "D'Alembert system", 'Other systems', 'Real-life roulette exploits', 'In literature', 'References', 'Citations', 'Sources', 'Further reading'], ['Analysis', 'Writing style and approach', 'Influences', 'Critical response', 'Political views and activism', 'Maine politics', 'Philanthropy', 'Personal life', 'Car accident and aftermath', 'Awards'], ['Series overview', 'Episodes', 'Political geography', 'Middle East', 'Europe', 'Asia', 'Disputes', 'Territorial disputes', 'With Great Britain', 'With Morocco', 'With Portugal', 'Bilateral relations', 'Africa', 'Definitions', 'Properties', '⊂ and ⊃ symbols', 'Notes', 'References'], ['Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['Contestants', 'Future appearances', 'Season summary', 'Episodes', 'Voting history', 'Reception', 'Controversy', 'References', 'Paintball', 'Airsoft', 'Laser tag', 'Archery Tag', 'eSports', 'See also', 'References'], ['Version history', 'SMIL 1.0', 'SMIL 2.0', 'SMIL 2.1', 'SMIL 3.0', 'Authoring tools', 'SMIL documents', 'Combination with other XML-based standards', 'Life cycle', 'Advantages and disadvantages', 'Shell scripting on other operating systems', 'See also', 'References'], ['Background', 'Denver Broncos', 'New York Giants', 'Playoffs', 'Super Bowl pregame news', 'Broadcasting', 'Entertainment', 'Game summary', 'Notes', 'References', 'Further reading'], ['Ice hockey players', 'Equestrian Champions and Jockeys', 'Rowers', 'Tennis Players', 'Religious figures', 'Notable people of Sardinian descent', 'See also', 'References', 'Domestic policies (1018–1024)', 'Conflicts with the Holy Roman Empire (1024–1031)', 'Last years (1031–1038)', 'Family', 'Legacy', 'Founder of Hungary', 'Sainthood', 'Holy Dexter', 'Admonitions', 'In arts', 'Spinors', 'History', 'See also', 'Foundational', 'Notes', 'References', 'Specific', 'General'], ['Radio', 'Television', 'Internet', 'See also', 'References', 'Notes'], ['Overview', 'The tetrominoes', 'Free tetrominoes', 'One-sided tetrominoes', 'Fixed tetrominoes', 'Jackson reclaims TFT', 'The Metagaming TFT', 'Melee', 'Wizard', 'In the Labyrinth', 'Reception', 'Reviews', 'Released products', 'Unreleased products', 'Fan activity', '1994–1996', '1996–2001: Tony Dungy era', '2002–2008: Jon Gruden era', '2008–present: Playoff drought', '2009–2011: Raheem Morris era', '2012–2013: Greg Schiano era', '2014–2015: Lovie Smith and Jason Licht era', '2016–2018: Dirk Koetter era', '2019–present: Bruce Arians era, "TB" to TB', 'Defense', '2001 reboot', 'Comics', 'Episodes', 'Flower Pot Men (1952–1953)', 'Bill and Ben series 1 (2001–2002)', 'Bill and Ben series 2 (2001–2002)', 'UK VHS and DVD releases', 'References'], [], ['Synopsis', 'Introduction', 'Episode listing 2015 series', 'Series 3 (2015–2016)', 'Series 4 (2017)', 'Reception', 'Legacy', 'Other countries', 'Soundtrack album', 'Track listing', 'Home media', 'VHS', 'Limitations', 'Metadata', 'See also', 'Notes', 'References'], ['Autonomous Republic of Crimea', 'International organization participation', 'See also'], ['References', 'Rankings', 'Research', 'Student life', 'Athletics', 'Residence', 'UPEI/SDU/PWC notable people', 'List of Presidents', 'Religion', 'Medical', 'Business', 'History', '1949–1993: Origins of the network', '1995–1999: Launch and early years', '1999–2005: Viacom era and decline', '2005–2006: CBS era and network closure', 'Collections', 'Essays', 'Uncollected short fiction', 'References'], ['About Vinge', 'Essays and speeches', 'Interviews', 'History', 'Premodern era', 'Establishment of profession', 'Veterinary workers', 'Veterinary physicians', 'Paraveterinary workers', 'Allied professions', 'Veterinary research']]



['Wikipedia: Polish', 'Wikipedia: Poeciliidae', 'Wikipedia: QCD (disambiguation)', 'Wikipedia: Reliabilism', 'Wikipedia: Risk management', 'Wikipedia: Reformation (disambiguation)', 'Wikipedia: Spratly Islands', 'Wikipedia: Stonehenge', 'Wikipedia: Samhain', 'Wikipedia: Sake', 'Wikipedia: Solder', 'Wikipedia: Systemic functional grammar', 'Wikipedia: Gavinus', 'Wikipedia: Tarragon', 'Wikipedia: Taliban', 'Wikipedia: Turboprop', 'Wikipedia: Terry Brooks', 'Wikipedia: Vi']
[['See also', 'Live-bearing', 'Subfamilies and tribes', 'References', 'Notes', 'All article disambiguation pages', 'All disambiguation pages', 'Morphology', 'Syntax', 'Vocabulary', 'Raetic and Celtic', 'Latin stock', 'Germanic loanwords', 'Language contact', 'German loanwords', 'Italian and Gallo-italic loanwords', 'Germanic calques', 'History', 'Early concept', 'The name "Ruby"', 'First publication', 'Early releases', 'Ruby 1.8', 'Ruby 1.9', 'Ruby 2.0', 'Overview', 'Objections', 'References', 'Facts and figures', 'Tourism', 'Bordering countries', 'Towns and cities', 'See also', 'References', 'Further reading'], ['Introduction', 'Method', 'Principles', 'Process', 'Establishing the context', 'Identification', 'In film and television', 'Rules related to casino security', 'Common etiquette practices', 'See also', 'Notes'], ['Etymology', 'Geography', 'History', 'Revolution and foundation (1917–1927)', 'Stalin era (1927–1953)', 'World War II', 'Cold War', 'De-Stalinization and Khrushchev Thaw (1953–1964)', 'Bibliography', 'Audiobooks', 'Filmography', 'See also', 'References', 'Further reading'], ['Pilots (1964–1965)', 'Season 1 (1966–1967)', 'Season 2 (1967–1968)', 'Season 3 (1968–1969)', 'Production order', 'British transmission', 'See also', 'References'], ['Vital statistics', 'CIA World Factbook demographic statistics', 'Age structure', 'Sex ratio', 'Nationality', 'Ethnic groups', 'Religions', 'Americas', 'Oceania', 'See also', 'References', 'Further reading', 'Historical', 'Examples', 'Other properties of inclusion', 'See also', 'References', 'Bibliography'], ['The Néel relaxation in the absence of magnetic field', 'Blocking temperature', 'Effect of a magnetic field', 'Time dependence of the magnetization', 'Measurements', 'Effect on hard drives', 'Applications', 'General applications', 'Biomedical applications', 'See also', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], [], ['Etymology', 'Coligny calendar', 'History', 'Oldest sake brewery', 'Production', 'Rice', 'Water', 'SMIL+SVG', 'SMIL+RSS or other web syndication methods', 'SMIL+VoiceXML and SMIL+MusicXML', 'SMIL+TEI', 'Status of SMIL', 'SMIL players', 'Software', 'Hardware', 'Embedding SMIL files into XHTML web pages', 'Sources', 'See also', 'First-quarter', 'Second-quarter', 'Third Quarter', 'Fourth-quarter', 'Box score', 'Final statistics', 'Statistical comparison', 'Individual statistics', 'Records Set', 'Starting lineups', 'Social behaviors', 'Evolution of social systems', 'See also', 'Notes', 'References', 'Life', 'References', 'Sources'], ['See also', 'References', 'Sources', 'Primary sources', 'Secondary sources', 'Further reading'], ['Cultivation', 'Health', 'Uses', 'Culinary use', 'Airports', 'Railways', 'Stations served', 'Highways', 'Pipelines', 'Ports and waterways', 'References'], ['Purposes and effects', 'Types', 'Income', 'Income tax', 'Negative income tax', 'Capital gains', 'Corporate', 'Social-security contributions', 'Payroll or workforce', 'Wealth', 'Tiling a rectangle', 'Filling a rectangle with one set of tetrominoes', 'Filling a modified rectangle with one set of tetrominoes', 'Filling a rectangle with two sets of tetrominoes', 'Etymology', 'Filling a box with Tetracubes', 'See also', 'References'], ['The Steve Jackson Games TFT', 'References'], ['1978–1982', '1997–2008: The Tampa 2', '2002 defense', 'Team facilities', 'Logos and uniforms', '1976–1996', '1997–2013', '2014–2019', '2020–present', 'Throwback uniform', 'Technological aspects', 'History', 'Usage', 'Reliability', 'Part I. The Emergence of a Cognitive Elite', 'Part II. Cognitive Classes and Social Behavior', 'Part III. The National Context', 'Living Together', 'Policy recommendations', 'Media reception', 'Peer review', '"Mainstream Science on Intelligence" statement', 'APA task force report', 'Criticisms', 'DVD', 'References'], ['Text', 'Rights secured', 'Speedy trial', 'Public trial', 'Impartial jury', 'Impartiality', 'Venire of juries', 'History', 'Before 1917', 'Soviet period: 1917 to 1991', '1991 to 2000', '2000 to 2014', 'After Euromaidan: 2014 to present', 'Economic Data - Statistical Information', 'Trade', 'Prince Edward Island Lieutenant Governor (Viceregal)', 'Prince Edward Island Premier', 'Prince Edward Island Members Legislative Assembly', 'Canada National Government', 'Provincial/Local Governments of Canada', 'Arts and Letters', 'Education', 'Philanthropist', 'Prince Edward Island Law/Legal', 'Other Canada Law/Legal', 'Programming', 'News programming', "Children's programming", 'Television movies', 'Affiliates', 'Station standardization', 'See also', 'Notes'], ['History', 'Creation', 'Distribution', 'Ports and clones', 'Impact', 'Clinical veterinary research', 'See also', 'By country', 'Notes', 'Further reading', 'Introductory textbooks and references', 'Monographs and other speciality texts', 'Veterinary nursing, ophthalmology, and pharmacology', 'Related fields'], []]



["Wikipedia: People's Liberation Army Navy", 'Wikipedia: Polar coordinate system', 'Wikipedia: Quicksilver', 'Wikipedia: Ideal (ring theory)', 'Wikipedia: Josh Kirby', 'Wikipedia: Silent film', 'Wikipedia: Star Trek: The Animated Series', 'Wikipedia: Politics of San Marino', 'Wikipedia: Separability', 'Wikipedia: September 19', 'Wikipedia: SECAM', 'Wikipedia: Super Bowl XXII', 'Wikipedia: Sienna', 'Wikipedia: Sprite', 'Wikipedia: Thyme', 'Wikipedia: Armed Forces of the Republic of Tajikistan', 'Wikipedia: List of highest-grossing films in the United States and Canada', 'Wikipedia: United Airlines', 'Wikipedia: Vacuum tube', 'Wikipedia: Visegrád Group']
[['History', '1950s and 1960s', '1970s and 1980s', '1990s and 2000s', '2010s', 'History', 'Conventions', 'Uniqueness of polar coordinates', 'Converting between polar and Cartesian coordinates', 'Polar equation of a curve', 'Circle', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'Morphosyntax', 'Romansh influences on German', 'Attitudes towards language contact', 'Literature, music and media', 'Sample text', 'See also', 'References', 'Citations', 'Sources'], ['Ruby 2.1', 'Ruby 2.2', 'Ruby 2.3', 'Ruby 2.4', 'Ruby 2.5', 'Ruby 2.6', 'Ruby 2.7', 'Table of versions', 'Philosophy', 'Features'], ['History', 'Definitions and motivation', 'Personal life', 'Career', 'Style', 'Exhibitions', 'Awards', 'Assessment', 'Risk options', 'Potential risk treatments', 'Risk avoidance', 'Risk reduction', 'Risk sharing', 'Risk retention', 'Risk management plan', 'Implementation', 'Review and evaluation of the plan', 'Religious movements', 'Arts, entertainment, and media', 'Literature', 'Music', 'Other uses in arts, entertainment, and media', 'Other uses', 'See also', 'Era of Stagnation (1964–1985)', 'Perestroika and Glasnost reforms (1985–1991)', 'Dissolution and aftermath', 'Post-Soviet states', 'Foreign relations', 'Early policies (1919–1939)', 'World War II (1939–1945)', 'Cold War (1945–1991)', 'Politics', 'Communist Party', 'Elements and beginnings (1894–1936)', 'Silent film era', 'Intertitles', 'Live music and other sound accompaniment', 'Score restorations from 1980 to the present', 'Acting techniques', 'Initial proposal', 'Production', 'Episodes', 'Season 1 (1973–74)', 'Languages', 'Literacy', 'References', 'Geographic and economic overview', 'Geology', 'Ecology', 'Coral reefs', 'Vegetation', 'Wildlife', 'Ecological hazards', 'Etymology', 'Early history', 'Before the monument (from 8000 BC)', 'Stonehenge 1 (c. 3100 BC)', 'Stonehenge 2 (c. 3000 BC)', 'Stonehenge 3 I (c. 2600 BC)', 'Stonehenge 3 II (2600 BC to 2400 BC)', 'References'], ['Mathematics', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'History', 'In Irish mythology', 'Historic customs', 'Ritual bonfires', 'Divination rituals', 'Aos sí at Samhain', 'Hebrides offering to Shoney', 'Connection to the dead', 'Mumming and guising', 'Mischief Night pranks', 'Kōji-kin', 'Fermentation', 'Maturation', 'Tōji', 'Varieties', 'Special-designation sake', 'Ways to make the starter mash', 'Different handling after fermentation', 'Others', 'Taste and flavor', 'See also', 'References'], ['Etymology', 'Composition', 'Lead-based', 'Lead-free', 'Hard solder', 'Alloys', 'Impurities', 'Flux', 'Operation', 'Officials', 'References', 'Bibliography', 'Influences', 'Basic tenets', 'Metafunctions', 'Ideational metafunction', 'Interpersonal metafunction', 'Textual metafunction', 'Children’s grammar', 'Earth colours', 'History', 'Variations', 'Raw sienna', 'Computing and technology', 'Vehicles', 'Zoology', 'Other', 'See also', 'Chemistry', 'Quotes', 'References'], ['History', 'Army', 'Equipment', 'Property', 'Property taxes', 'Inheritance', 'Expatriation', 'Transfer', 'Wealth (net worth)', 'Goods and services', 'Value added', 'Sales', 'Excises', 'Not adjusted for inflation', 'Adjusted for ticket-price inflation', 'Factors in determining "adjusted gross"', 'Franchises and film series not adjusted for inflation', 'Etymology', 'Background', 'Soviet intervention (1978–1992)', 'Afghan Civil War (1992–1996)', 'History', '1994', 'Education', 'Motivation', 'Pakistani involvement', '1995 – September 1996', 'Seasons, facts and records', 'Losing streaks', 'Records', 'Players of note', 'Current roster', 'Pro Football Hall of Famers', 'Florida Sports Hall of Fame', 'Retired numbers', 'Individual awards', 'Tampa Stadium Krewe of Honor', 'Current engines', 'See also', 'References', 'Notes', 'Bibliography', 'Further reading'], ['Criticism of assumptions', 'Criticism by Stephen Jay Gould', 'Criticism by James Heckman', 'Criticism by Noam Chomsky', 'Criticism of statistical methods', 'Criticism of use of AFQT', 'Cognitive sorting', 'Race and intelligence', 'Allegations of racism', 'Notes', 'Early life', 'Career', 'Personal life', 'Novels versus short stories', 'Bibliography', 'References'], ['Sentencing', 'Vicinage', 'Notice of accusation', 'Confrontation', 'Compulsory process', 'Assistance of counsel', 'Self-representation', 'See also', 'References'], ['Economic growth by years', 'List of major private owned companies, not considering banks and insurance companies', 'Natural resources', 'Ukrainian economy in graphics', 'Sectors', 'Industries', 'Mining and production', 'Iron and steel', 'Chemical industry', 'Strategic and defense complex', 'U.S. Government', 'Prince Edward Island Local Government', 'Military', 'Honorary Degrees', 'Notable UPEI Faculty and Administration', 'See also', 'References', 'Histories of the University'], ['History', 'Corporate affairs', 'Ownership and structure', 'Business trends', 'Interface', 'Contemporary derivatives and clones', 'See also', 'References', 'Further reading'], ['Historical background', 'Economies', 'Czech Republic']]



['Wikipedia: Robert Rodriguez', 'Wikipedia: Roger Penrose', 'Wikipedia: Reference counting', 'Wikipedia: Separable space', 'Wikipedia: September 20', 'Wikipedia: Shogun', 'Wikipedia: Starfleet', 'Wikipedia: Super Bowl XXXVI', 'Wikipedia: San Giovanni di Posada', 'Wikipedia: The Marriage of Figaro', 'Wikipedia: Tomaso Albinoni', 'Wikipedia: House of Tudor', 'Wikipedia: Truck', 'Wikipedia: Seventh Amendment to the United States Constitution', 'Wikipedia: University of Utah']
[['Organization', 'Fleets', 'Branches', 'PLAN Surface Force', 'PLAN Submarine Force', 'PLAN Coastal Defence Force', 'PLAN Marine Corps', 'PLA Naval Air Force', 'Relationship with other maritime organizations of China', 'Ranks', 'Line', 'Polar rose', 'Archimedean spiral', 'Conic sections', 'Intersection of two polar curves', 'Complex numbers', 'Calculus', 'Differential calculus', 'Integral calculus (arc length)', 'Integral calculus (area)', 'Arts and entertainment', 'Music', 'Film and television', 'Fictional entities', 'Other arts', 'Aircraft', 'Computing', 'Organizations', 'Entertainment', 'People', 'Early life', 'Career', 'Early career', 'Semantics', 'Syntax', 'Interaction', 'Examples', 'Strings', 'Collections', 'Control structures', 'Blocks and iterators', 'Classes', 'Open classes', 'Examples and properties', 'Types of ideals', 'Ideal operations', 'Examples of ideal operations', 'Radical of a ring', 'Extension and contraction of an ideal', 'Generalisations', 'See also', 'Notes', 'References', 'Gallery', 'References', 'Further reading'], ['Limitations', 'Areas', 'Enterprise', 'Enterprise Security', 'Medical device', 'Project management', 'Megaprojects (infrastructure)', 'Natural disasters', 'Wilderness', 'Information technology', 'Advantages and disadvantages', 'Graph interpretation', 'Dealing with inefficiency of updates', 'Government', 'Separation of power and reform', 'Judicial system', 'Administrative divisions', 'Military', 'Space program', 'Economy', 'Energy', 'Science and technology', 'Transport', 'Projection speed', 'Tinting', 'Early studios', 'Top-grossing silent films in the United States', 'During the sound era', 'Transition', 'Later homages', 'Preservation and lost films', 'Dawson Film Find', 'See also', 'Season 2 (1974)', 'Novelties in the series', 'Canon issues', 'Reception', 'Home media', 'See also', 'References', 'Bibliography'], ['The Grand and General Council', 'The Captains Regent', 'The Congress of State', 'Political parties and elections', 'Judiciary', 'The Council of Twelve', 'The Guarantors’ Panel on the Constitutionality of Rules', 'Judicial organization', 'One of the earliest abolitionist countries', 'Current issues', 'History', 'Early records and cartography', 'Military conflict and diplomatic dialogues', '2016 PCA Tribunal ruling', 'Transportation and communication', 'Airports', 'Telecommunications', 'Gallery', 'See also', 'References', 'Stonehenge 3 III (2400 BC to 2280 BC)', 'Stonehenge 3 IV (2280 BC to 1930 BC)', 'Stonehenge 3 V (1930 BC to 1600 BC)', 'After the monument (1600 BC on)', 'Function and construction', 'DNA studies clarify the historical context', 'Modern history', 'Folklore', '"Heel Stone", "Friar’s Heel", or "Sun-Stone"', 'Arthurian legend', 'Other uses', 'First examples', 'Separability versus second countability', 'References'], ['Events', 'Celtic Revival', 'Related festivals', 'Allhallowtide', 'Neopaganism', 'Celtic Reconstructionism', 'Wicca', 'See also', 'References', 'Secondary sources', 'Further reading', 'Serving sake', 'Seasonality', 'Storage', 'Ceremonial use', 'Events', 'See also', 'References', 'General sources', 'Further reading'], ['Geographic reach', 'History', 'Development', 'The spread of SECAM', 'Technical details', 'SECAM varieties', 'L, B/G, D/K, H, K, M (broadcast)', 'MESECAM (home recording)', 'Disadvantages', 'Countries and territories that use SECAM', 'Intermetallics', 'Preform', 'Similar substances', 'See also', 'References'], ['Background', 'Washington Redskins', 'Denver Broncos', 'Playoffs', 'Super Bowl pregame news', 'Broadcasting', 'Entertainment', 'Game summary', 'First Quarter', 'Second Quarter', 'Relation to other branches of grammar', 'See also', 'References'], ['Burnt sienna', 'Burnt sienna pigment (Maerz and Paul)', 'Dark sienna (ISCC-NBS)', 'Sienna (X11 colour)', 'See also', 'References', 'References'], ['History', 'Cultivation', 'Culinary use', 'Antimicrobial properties', 'Important species and cultivars', 'References', 'Further reading', 'Main Battle Tank', 'Armored Personnel Carriers', 'Infantry Fighting Vehicle', 'Artillery', 'Multiple Rocket Launcher', 'Mortars', 'Surface to Air Missile', 'Light equipment', 'Air Force', 'Aircraft Inventory', 'Tariff', 'Other', 'License fees', 'Poll', 'Descriptive labels', 'Ad valorem and per unit', 'Consumption', 'Environmental', 'Proportional, progressive, regressive, and lump-sum', 'Direct and indirect', 'Franchises and film series adjusted for inflation', 'See also', 'Notes', 'References'], ["Taliban's Islamic Emirate of Afghanistan (1996–2001)", 'Afghanistan during Taliban rule', 'Role of the Pakistani military', 'Anti-Taliban resistance under Massoud', 'US-led overthrow of Taliban Government and further battle against Taliban', 'Prelude', 'Coalition attack', 'Targeted killings', 'Taliban resurgence after 2001', 'Condemned Taliban practices', 'Ring of Honor', 'Pro Bowl selections', 'A Football Life / The Timeline', 'Tampa Bay players', 'Tampa Bay starting quarterbacks', 'Tampa Bay draft picks', 'Staff and head coaches', 'Current staff', 'Head Coaches', 'Culture', 'Biography', 'Music and influence', 'References'], ['References', 'Further reading'], ['Responses to The Bell Curve', 'History', 'Steam wagons', 'Internal combustion', 'Diesel engines', 'Etymology', 'International variance', 'Text', 'Background', 'Proposal and ratification', 'Fuel and energy complex', 'Fuel industry', 'Automotive industry', 'Aircraft and aerospace industry', 'Shipbuilding', 'Agriculture', 'Forestry, fishing and others', 'Information technology', 'Infrastructure', 'Maritime', 'History', 'Campus', 'Student residences', 'Transportation', 'Headquarters and other facilities', 'Corporate identity', 'Brand image', 'Marketing themes', 'Environmental initiatives', 'Worker relations', 'Destinations', 'Hubs', 'Alliance and codeshare agreements', 'Joint ventures', 'Classifications', 'Description', 'History and development', 'Diodes', 'Triodes', 'Tetrodes and pentodes', 'Multifunction and multisection tubes', 'Hungary', 'Poland', 'Slovakia', 'Demographics', 'V4 capitals', 'Current leaders', 'Initiatives', 'International Visegrad Fund', 'Defence Cooperation', 'Visegrád Battlegroup']]



['Wikipedia: Quartet', 'Wikipedia: Reversi', 'Wikipedia: Rainer Maria Rilke', 'Wikipedia: Shia Islam', 'Wikipedia: Tom Paris', 'Wikipedia: Economy of San Marino', 'Wikipedia: History of Sri Lanka', 'Wikipedia: Serpens', 'Wikipedia: Stargate (film)', 'Wikipedia: Scuba set', 'Wikipedia: Scott Joplin', 'Wikipedia: Tea', 'Wikipedia: Tennessee Titans', 'Wikipedia: Trust law']
[['Today', 'Strategy, plans, priorities', 'Territorial disputes', 'Spratly Islands dispute', 'Senkaku Islands (Diaoyu) dispute', 'Other incidents', '2008 anti-piracy operations', 'Libyan civil war', 'Yemen Conflict', 'Equipment', 'Generalization', 'Vector calculus', 'Centrifugal and Coriolis terms', 'Co-rotating frame', 'Differential geometry', 'Extensions in 3D', 'Applications', 'Position and navigation', 'Modeling', 'See also', 'Other uses', 'See also', 'Classical', 'Mainstream success', 'Predators', 'Machete', 'Unproduced projects and upcoming films', 'Personal life', 'The "one-man film crew" and "Mariachi-style"', 'Selected filmography', 'Music videos', 'Influences', 'Awards and nominations', 'Exceptions', 'Metaprogramming', 'Implementations', "Matz's Ruby interpreter", 'Alternate implementations', 'Platform support', 'Repositories and libraries', 'See also', 'References', 'Further reading'], ['Basics', 'History', 'Early life and academia', 'Later activity', 'An earlier universe', 'Physics and consciousness', 'Personal life', 'Family life', 'Religious views', 'Awards and honours', 'Works', 'Petroleum and natural gas', 'Pharmaceutical sector', 'Risk communication', 'See also', 'References'], ['Dealing with reference cycles', 'Variant forms', 'Weighted reference counting', 'Indirect reference counting', 'Examples of use', 'Garbage collection', 'Component Object Model', 'C++', 'Cocoa (Objective-C)', 'Delphi', 'Demographics', 'Women and fertility', 'Education', 'Nationalities and ethnic groups', 'Health', 'Language', 'Religion', 'Legacy', 'Culture', 'Sport', 'References', 'Footnotes', 'Bibliography', 'Further reading'], ['Character biography', 'Personality', 'Character background', 'Voyager relaunch novels', 'International organization participation', 'See also'], [], ['Prehistory', 'Pre-Anuradhapura period (543–377 BCE)', 'Sixteenth century to present', 'Neopaganism', 'Setting and access', 'Access', 'Archaeological research and restoration', '1600–1900', '1901–2000', '2000s', 'Origin of sarsens identified', 'In popular culture', 'Cardinality', 'Constructive mathematics', 'Further examples', 'Separable spaces', 'Non-separable spaces', 'Properties', 'Embedding separable metric spaces', 'References', 'Births', 'Deaths', 'Holidays and observances', 'References'], [], ['Plot', "Director's cut", 'Etymology', 'Application', 'Alternatives to scuba for diving', 'Migration from SECAM to PAL', 'Europe', 'Africa', 'Asia', 'Americas', 'Migration from SECAM to DVB-T', 'Notes', 'References'], ['Etymology', 'Bakufu', 'Titles', 'History', 'First shogun', 'Heian period (794–1185)', 'Sakanoue no Tamuramaro', 'Second Half', 'Box score', 'Final statistics', 'Statistical comparison', 'Individual statistics', 'Records Set', 'Starting lineups', 'Officials', 'References', 'History', 'Mission', 'Components', 'Starfleet Academy', 'Starfleet Command', 'Starfleet Shipyards', 'Starfleet Engineering Corps', 'Starfleet Intelligence', 'Starfleet Judge Advocate General', 'Background', 'Teams', 'St. Louis Rams', 'New England Patriots', 'Playoffs', 'Effect of the September 11, 2001 attacks', 'Venue', 'Early life', 'Life in the southern states and Chicago', 'Life in Missouri', 'Later years and death', 'Works', 'Etymology', 'Origin and history', 'Botanical origin', 'Early tea drinking', 'Developments', 'Mobile Forces', 'National Guard', 'Security Forces', 'Border Troops', 'Internal Troops', 'Allegations of Systematic violence against military conscripts', 'Foreign forces', 'Military education', 'See also', 'References and links', 'Fees and effective', 'History', 'Trends', 'Forms', 'Economic effects', 'Incidence', 'Increased economic welfare', 'Government spending', 'Pigovian', 'Reduced inequality', 'Composition history', 'Performance history', 'Other early performances', 'Roles', 'Synopsis', 'Overture', 'Act 1', 'Act 2', 'Massacre campaigns', 'Human trafficking', 'Oppression of women', 'Violence against Afghan civilians', 'Violence against aid workers and Christians', 'Ban on entertainment and recreational activities', 'Ideology', '(Deobandi) Islamic rules', 'Pashtun cultural influences', 'Bamyan Buddhas', 'Tampa Bay Buccaneers Cheerleaders', 'A Triumph of the Heart: The Ricky Bell Story', 'Radio and television', 'Notes and references'], ['History', 'Ancient examples', 'English common law', 'Significance', 'Basic principles', 'Ascent to the throne', 'Henry VII', 'Henry VIII', 'Break with Rome', 'Protestant alliance', 'Edward VI: Protestant zeal', "Duke of Somerset's England", 'Problematic succession', "Jane I: The nine days' queen", 'Types by size', 'Ultra light', 'Very light', 'Light', 'Medium', 'Heavy', 'Off-road', 'Maximum sizes by country', 'Design', 'Cab', 'Judicial interpretation', 'Historical test', 'Jury size', 'Twenty Dollars Clause', 'Re-examination of facts', 'Notes', 'References', 'Bibliography'], ['Communications', 'Tourism', 'Shopping tourism', 'Recreational tourism and sightseeing', 'Financing, banking, investments', 'Investments', 'International financial institutions', 'Foreign direct investment', 'Monetary policy and banking', 'Stock exchange', 'Sustainability', 'Renewable energy', 'Organization', 'Academics and rankings', 'Admissions and demographics', 'Notable programs', 'Athletics', "Men's basketball", 'Football', 'Gymnastics', 'Fleet', 'Current fleet', 'Fleet strategy', 'Historical fleet', 'Cabin', 'United Polaris Business', 'United Premium Plus', 'United premium transcontinental service', 'United First and United Business', 'Economy Plus', 'Beam power tubes', 'Gas-filled tubes', 'Miniature tubes', 'Improvements in construction and performance', 'Indirectly heated cathodes', 'Use in electronic computers', 'Colossus', 'Whirlwind and "special-quality" tubes', 'Heat generation and cooling', 'Tube packages', 'Other cooperation areas', 'Visegrad Patent Institute', 'Neighbor relations', 'European Union', 'Austria', 'Germany', 'Non-EU', 'Ukraine', 'Country comparison', 'See also']]



['Wikipedia: Polymath', 'Wikipedia: Romantic comedy', 'Wikipedia: Render farm', 'Wikipedia: Star Trek: First Contact', 'Wikipedia: Telecommunications in San Marino', 'Wikipedia: Sima Qian', "Wikipedia: Schrödinger's cat", 'Wikipedia: Sleet', 'Wikipedia: Super Bowl XXIII', 'Wikipedia: Foreign relations of Tajikistan', 'Wikipedia: Eighth Amendment to the United States Constitution', 'Wikipedia: University of Victoria', 'Wikipedia: Varney the Vampire']
[['Ships and submarines', 'Aircraft', 'Naval weaponry', 'See also', 'References', 'Citations', 'Sources'], ['References'], ['Renaissance man', 'String quartet', 'Piano quartet', 'Other instrumental quartets', 'Vocal quartet', 'Baroque quartet', 'Jazz', 'Popular music', 'Folk music', 'Russian', 'References', 'See also', 'References'], [], ['Origin of the term', 'Render capacity', 'Original version', 'Othello', 'Rules', 'Brightwell Quotient', 'Computer opponents and research', 'World Othello Championship', 'References'], ['Popular publications', 'Co-authored', 'Academic books', 'Foreword to other books', 'See also', 'Notes', 'References', 'Further reading'], ['Biography', 'Early life (1875–1896)', 'Munich and Saint Petersburg', 'Paris (1902–1910)', 'Duino and the First World War (1911–1919)', 'Switzerland and Muzot (1919–1926)', 'Death and burial', 'GObject', 'Perl', 'PHP', 'Python', 'Squirrel', 'Tcl', 'Xojo', 'File systems', 'References'], ['Environment', 'See also', 'Notes', 'References', 'Bibliography', 'Further reading', 'Surveys', 'Lenin and Leninism', 'Stalin and Stalinism', 'Collapse', 'Terminology', 'History', 'Succession of Ali', 'The Party of Ali', 'The event of Dhul Asheera', 'Event of Ghadir Khumm', "Ali's caliphate", 'Hasan ibn Ali', 'Reception', 'See also', 'References'], ['Overview', 'Public Finances', 'Economic relations with Italy and the EU', 'Coins and stamps', 'References', 'Indo-Aryan immigration', 'Anuradhapura period (377 BCE–1017)', 'Polonnaruwa period (1056–1232)', 'Transitional period (1232–1505)', 'Jaffna Kingdom', 'Kingdom of Dambadeniya', 'Kingdom of Gampola', 'Kingdom of Kotte', 'Kingdom of Sitawaka', 'Vannimai', 'See also', 'References', 'Bibliography', 'Videography'], ['Origin and motivation', 'Thought experiment', 'Interpretations of the experiment', 'Copenhagen interpretation', 'Many-worlds interpretation and consistent histories', 'History', 'Characteristics', 'Features', 'Stars', 'Head stars', 'Tail stars', 'Deep-sky objects', 'Head objects', 'Cast', 'Production', 'Development', 'Filming', 'Visual effects', 'Music', 'Soundtrack', 'Release', 'Box office', 'Critical response', 'Operation', 'History', 'Types', 'Open-circuit', 'Constant flow scuba', 'Open circuit demand scuba', 'Twin-hose demand regulator', 'Single-hose regulator', 'Secondary demand valve on a regulator', 'Cryogenic', 'See also', 'References', 'Kamakura shogunate (1192–1333)', 'Ashikaga shogunate (1336–1573)', 'Azuchi–Momoyama period (1573–1600)', 'Tokugawa shogunate (1600–1868)', 'Timelines', 'Timeline of the Kamakura shogunate', 'Timeline of the Ashikaga shogunate', 'Timeline of the Tokugawa shogunate', 'Shogunate', 'Relationship with the emperor', 'Background', 'San Francisco 49ers', 'Cincinnati Bengals', 'Playoffs', 'Starfleet Medical', 'Starfleet Operations', 'Starfleet Security', 'Starfleet Tactical', 'Different species in Starfleet', 'See also', 'References'], ['Pregame notes', 'Broadcasting', 'Commercials', 'Entertainment', 'Pregame', 'Patriots entrance into the Superdome', 'Halftime', 'Game summary', 'First quarter', 'Second quarter', 'Treemonisha', 'Performance skills', 'Legacy', 'Museum', 'Revival', 'Other awards and recognition', 'Notes', 'References', 'Bibliography', 'Books', 'Worldwide spread', 'Cultivation and harvesting', 'Chemical composition', 'Processing and classification', 'Additional processing and additives', 'Tea culture', 'Production', 'Economics', 'Labor and consumer safety problems', 'Certification', 'Disputes', 'Bilateral relations', 'Inter-governmental organisation membership', 'Reduced economic welfare', 'Cost of compliance', 'Deadweight costs', 'Perverse incentives', 'In developing countries', 'Key facts', 'Summary', 'Views', 'Support', 'Opposition', 'Act 3', 'Act 4', 'Instrumentation', 'Frequently omitted numbers', 'Critical discussion', 'Other uses of the melodies', 'Recordings', 'See also', 'References', 'Further reading', 'Consistency', 'Explanation of ideology', 'Criticisms', 'Governance', 'Leaders', 'Overview', 'Organization', 'Conscription', 'Economy', 'International relations', 'History', 'Logos and uniforms', 'Rivals', 'Divisional rivalries', 'Other rivalries', 'Season-by-season records', 'Player information', 'Current roster', 'Terminology', 'Creation', 'Formalities', 'Trustees', 'Beneficiaries', 'Purposes', 'Types', 'Alphabetic list of trust types', 'Country specific variations', 'Cyprus', "Mary I: A troubled queen's reign", 'Elizabeth I: Age of intrigues and plots', 'Early years', 'Imposing the Church of England', 'Pressure to marry', 'Last hopes of a Tudor heir', 'Before and after comparisons', 'Rebellions against the Tudors', 'Tudor monarchs of England and Ireland', 'Armorial', 'Engines and motors', 'Drivetrain', 'Frame', 'Body types', 'Sales and sales issues', 'Manufacturers', 'Truck market worldwide', 'Driving', 'Australia', 'Europe', 'Text', 'Background', 'Excessive bail', 'Excessive fines', 'Insurance business and companies', 'Legal environment', 'Foreign workers', 'Environmental issues', 'Major Ukrainian companies', 'Facts & figures', 'See also', 'Notes', 'References'], ['Marching band', 'Student life', 'Media', 'Notable alumni and faculty', 'References'], ['Economy', 'Basic Economy', 'Reward services', 'Concerns and conflicts', 'Animal transport', 'Cyber security issues', 'Privacy concerns', 'Accidents and incidents', 'Dave Carroll Guitar', 'United 3411', 'Names', 'Special-purpose tubes', 'Powering the tube', 'Batteries', 'AC power', 'Reliability', 'Vacuum', 'Transmitting tubes', 'Receiving tubes', 'Failure modes', 'Other groups in Central Europe', 'Similar groups', 'Other', 'References'], []]



['Wikipedia: Patrick Macnee', 'Wikipedia: Quantum entanglement', 'Wikipedia: Render', 'Wikipedia: Radix sort', 'Wikipedia: Restriction enzyme', 'Wikipedia: Red-eye effect', 'Wikipedia: Social science', 'Wikipedia: Sculptor Group', 'Wikipedia: Smelt (fish)', 'Wikipedia: Short-term memory', 'Wikipedia: Superheterodyne receiver', 'Wikipedia: Syncopation', 'Wikipedia: Tanzania', 'Wikipedia: The Clash', 'Wikipedia: Telecommunications in Ukraine', 'Wikipedia: United States customary units']
[['Early life and career', 'The Avengers', 'Later roles', 'Sherlock Holmes and Doctor Watson', 'Personal life', 'In academia', 'Robert Root-Bernstein and colleagues', 'Peter Burke', 'Kaufman, Beghetto and colleagues', 'Bharath Sriraman', 'Michael Araki', 'Related terms', 'See also', 'References and notes', 'Further reading', 'Further reading', 'History', 'Concept', 'Description', 'Evolution and subgenres', 'Extreme circumstances', 'Flipping conventions', 'Reversing gender roles', 'Serious elements', 'Contrived romantic encounters: the "meet cute"', 'Use of "meet cute" situations', 'History', 'Effects', 'Management', 'See also', 'References'], ['History', 'Digit order', 'Examples', 'Least significant digit', 'Most significant digit, forward recursive', 'History', 'Origins', 'Recognition site', 'Types', 'Writings', 'The Book of Hours', 'The Notebooks of Malte Laurids Brigge', 'Duino Elegies', 'Sonnets to Orpheus', 'Letters to a Young Poet', 'Literary style', 'Legacy', 'Works', 'Complete works', 'Causes', 'Similar effects', 'Photography techniques for prevention and removal', 'Social and economic history', 'Nationalities', 'Specialty studies'], ['Husayn ibn Ali', 'Imamate of the Ahl al-Bayt', 'Imam of the time, last Imam of the Shia', 'Dynasties', 'Fatimid Caliphate', 'Safavid Empire', 'Theology', 'Hadith', 'Profession of faith', 'Infallibility', 'Plot', 'Cast', 'Production', 'Development', 'Design', 'Costumes and makeup', 'Filming', 'Effects', 'Music', 'Telephone', 'Landline telephone providers', 'Mobile network operators', 'Television and radio', 'Internet', 'References', 'Crisis of the Sixteenth Century (1505–1594)', 'Portuguese intervention', 'Dutch intervention', 'Kandyan period (1594–1815)', 'Colonial Sri Lanka (1815–1948)', 'Independence movement', 'The second world war', 'Independence', 'Sri Lanka (1948–present)', 'Dominion', 'Early life and education', 'As Han court official', 'The Li Ling affair', 'Later years and death', 'Records of the Grand Historian', 'Format', 'Influences and works influenced', 'Innovations and unique features', 'Ensemble interpretation', 'Relational interpretation', 'Transactional interpretation', 'Zeno effects', 'Objective collapse theories', 'Applications and tests', 'Extensions', 'See also', 'References', 'Further reading', 'Tail objects', 'Meteor showers', 'References'], ['Lawsuit', 'Accolades', 'Future', 'Cancelled film sequels', 'Novel series', 'Television spin-offs', 'Differences from film to television franchise', 'Reboot', 'See also', 'References', 'Twin-hose without visible regulator valve (fictional)', 'Rebreathers', 'Breathing gases for scuba', 'Diving cylinders', 'Harness configuration', 'Harness construction', 'Basic harness', 'Backplate or backpack harness', 'Cam bands', 'Tank bands', 'Description', 'Smelt dipping', 'As food', 'North America', 'East Asia', 'Legacy', 'See also', 'References', 'Bibliography', 'Further reading', 'Super Bowl pregame news', 'Overtown rioting', 'Broadcasting', 'Entertainment', 'Game summary', 'First Quarter', 'Second Quarter', 'Third Quarter', 'Fourth Quarter', 'Box score', 'History', 'Heterodyne', 'Regeneration', 'RDF', 'Superheterodyne', 'Third quarter', 'Fourth quarter', 'Box score', 'Statistical overview', 'Records', 'Final statistics', 'Statistical comparison', 'Individual statistics', 'Records set', 'Starting lineups', 'Web-pages', 'Journals', 'Further reading'], ['Recordings and sheet music', 'Packaging', 'Tea bags', 'Loose tea', 'Compressed tea', 'Instant tea', 'Bottled and canned tea', 'Storage', 'Gallery', 'See also', 'References', 'See also', 'References'], ['Socialism', 'Choice', 'Geoism', 'Theories', 'Laffer curve', 'Optimal', 'Rates', 'See also', 'By country or region', 'References'], ['History', 'Origins: 1974–76', 'Countries', 'Canada', 'China', 'India', 'Iran', 'Pakistan', 'Saudi Arabia', 'Qatar', 'Russia', 'United Kingdom', 'Retired numbers', 'Pro Football Hall of Fame members', 'Texas Sports Hall of Fame', 'Titans/Oilers Hall of Fame', 'Franchise leaders', 'Coaching staff', 'Head coaches', 'Current staff', 'Radio and television', 'Radio affiliates', 'Settlor Powers provided by law', 'Duration of Cyprus International Trust', 'Charitable Trust and Purpose Trust', 'Confidentiality of Cyprus International Trust', 'Stamp Duty Commissioner for validating the creation of the Cyprus International Trust =====', 'Regulatory Disclosure of ASPs managing a Cyprus International Trust =====', 'Cyprus Beneficial Owner Register and Cyprus International Trust =====', 'FATCA =====', 'CRS =====', 'Taxation of Cyprus International Trust ====', 'Before the succession', 'Coat of arms as sovereigns', 'Tudor Badges', 'Tudor Monograms', 'Lineage and the Tudor name', 'The Tudor Name', 'Patrilineal descent', 'Royal lineage', 'In popular culture', 'See also', 'India', 'South Africa', 'United States', 'Environmental impact', 'Operator health and safety', 'Operations issues', 'Taxes', 'Damage to pavement', 'Commercial insurance', 'Safety', 'Waters-Pierce Oil Co. v. Texas', 'Browning-Ferris v. Kelco', 'Austin v. United States', 'United States v. Bajakajian', 'Timbs v. Indiana', 'Cruel and unusual punishments', 'General aspects', 'Specific aspects', 'Punishments forbidden regardless of the crime', 'Punishments forbidden for certain crimes', 'International data network', 'Fixed telephone network', 'Mobile phone networks', 'History', 'Department of Political Science Chilly Climate Report', 'Campus and grounds', 'Libraries and museum', 'Off-campus facilities', 'Administration', 'Peter B. Gustavson School of Business', 'See also', 'References', 'Bibliography'], ['Catastrophic failures', 'Degenerative failures', 'Other failures', 'Testing', 'Other vacuum tube devices', 'Cathode ray tubes', 'Electron multipliers', 'Vacuum tubes in the 21st century', 'Niche applications', 'Audiophiles', 'The story', 'Setting', 'Human characters', 'The character of Varney', 'Legacy', 'Footnotes', 'References'], []]



['Wikipedia: PowerBook', 'Wikipedia: Renaissance', 'Wikipedia: Robert Borden', 'Wikipedia: Ramsay Hunt syndrome type 2', 'Wikipedia: Transport in San Marino', 'Wikipedia: Geography of Sri Lanka', 'Wikipedia: Sphere', 'Wikipedia: State (polity)', 'Wikipedia: Sigismund', 'Wikipedia: Stethoscope', 'Wikipedia: Tank', 'Wikipedia: Transhumanism', 'Wikipedia: Tetrarchy', 'Wikipedia: Typee', 'Wikipedia: Tamasay', 'Wikipedia: V12 engine']
[['Death', 'Filmography', 'Film', 'Television', 'Documentaries', 'Music videos', 'References'], ['680x0-based models', 'PowerBook 100 series', 'PowerBook Duo', 'Meaning of entanglement', 'Paradox', 'Hidden variables theory', "Violations of Bell's inequality", 'Other types of experiments', 'Mystery of time', 'Source for the arrow of time', 'Emergent gravity', 'Non-locality and entanglement', 'Quantum mechanical framework', 'On society today', 'The illusion of love', 'Conducted research', 'See also', 'References'], ['Computing', 'Arts, entertainment, and media', 'People', 'Other uses', 'See also', 'Complexity and performance', 'Specialized variants', 'In-place MSD radix sort implementations', 'Stable MSD radix sort implementations', 'Hybrid approaches', 'Application to parallel computing', 'Trie-based radix sort', 'See also', 'References', 'Type l', 'Type II', 'Type III', 'Type IV', 'Type V', 'Artificial restriction enzymes', 'Nomenclature', 'Applications', 'Examples', 'See also', 'Volumes of poetry', 'Prose collections', 'Letters', 'See also', 'Notes', 'References', 'Further reading', 'Biographies', 'Critical studies'], ['As a medical warning sign', 'References', 'Signs and symptoms', 'History', 'Branches', 'Anthropology', 'Communication studies', 'Economics', 'Education', 'Geography', 'Law', 'Linguistics', 'Occultation', 'Inheritance', 'Community', 'Demographics', 'Significant populations worldwide', 'Persecution', 'Holidays', 'Holy sites', 'Branches', 'Twelver', 'Themes', 'Release', 'Box office', 'Critical response', 'Accolades', 'Home media', 'Legacy', 'References'], ['Railway', 'Aerial tramway', 'Taxi and private road vehicles', 'Buses', 'Air transport', 'Republic', 'Post-conflict period', 'See also', 'References', 'Further reading'], ['Literary figure', 'Other literary works', 'Astronomer/astrologer', 'Family', 'Unsubstantiated descendants', 'References', 'Sources', 'Further reading'], [], ['Equations in three-dimensional space', 'Enclosed volume', 'Members', 'Field galaxies', 'References', 'Sources'], ['See also', 'Sidemount harness', 'Accessories', 'Gas endurance of a scuba set', 'Open circuit', 'Semi-closed rebreather', 'Closed circuit rebreathers', 'Hazards and safety', 'See also', 'References', 'Bibliography', 'Festivals', 'See also', 'References'], ['Existence of a separate store', 'Evidence', 'Anterograde amnesia', 'Distraction tasks', 'Models', 'Unitary model', 'Another explanation', 'Biological basis', 'Aftermath', 'Final statistics', 'Statistical comparison', 'Individual statistics', 'Records Set', 'Starting lineups', 'Officials', 'Notes', 'References', 'Development', 'Patent battles', 'Principle of operation', 'Circuit description', 'Local oscillator and mixer', 'IF amplifier', 'IF bandpass filter', 'Demodulator', 'Multiple conversion', 'Modern designs', 'Aftermath', 'Patriots', 'Rams', 'Super Bowl LIII rematch', 'Officials', 'Notes', 'References'], ['Types of syncopation', 'Suspension', 'Off-beat syncopation', 'Anticipated bass', 'Transformation', 'Latin equivalent of simple', 'Backbeat transformation of simple', '"Satisfaction" example'], ['Development overview', 'History', 'Etymology', 'History', 'Ancient', 'Medieval', 'Colonial', 'Modern', 'Geography', 'Climate', 'Wildlife and conservation', 'Politics', 'Further reading'], ['History', 'Early gigs and the growing scene: 1976', 'Punk outbreak and UK fame: 1977–79', 'Changing style and US breakthrough: 1979–82', 'Disintegration and break up: 1982–86', "Collaborations, reunions and Strummer's death: 1986–present", 'Politics', 'Musical style, legacy and influence', 'Band members', 'Discography', 'See also', 'United States', 'United Nations and NGOs', 'Militant outfits', 'Al-Qaeda', 'Malakand Taliban', 'Tehrik-i-Taliban Pakistan (Pakistani Taliban)', 'See also', 'References', 'Bibliography', 'Further reading', 'See also', 'References'], ['South Africa', 'Asset protection', 'Tax considerations', 'United States', 'Estate planning', 'Estate tax effect', 'See also', 'Jurisdiction specific', 'Notes', 'References', 'Notes', 'References', 'Further reading'], ['Trucking accidents', 'HGV safety in the EU', 'See also', 'Notes', 'References'], ['Death penalty for rape', 'Special procedures for death penalty cases', 'Punishments specifically allowed', 'Evolving standards of decency', 'Proportionality', 'See also', 'References'], ['Market penetration', 'Mobile phone manufacturers', 'Radio broadcast stations', 'Internet in Ukraine', 'Telecommunications-related government bodies', 'See also', 'References'], ['Industry-specific media', 'Other', 'Engineering', 'Fine Arts', 'Humanities', 'Law', 'School of Earth & Ocean Sciences', 'School of Public Administration', 'Continuing Studies', 'Graduate programs', 'Academic profile', 'Admissions', 'History', 'Units of length', 'Units of area', 'Units of capacity and volume', 'Fluid volume', 'Dry volume', 'Units of weight and mass', 'Grain measures', 'Cooking measures', 'Displays', 'Cathode ray tube', 'Vacuum fluorescent display', 'Vacuum tubes using field electron emitters', 'Characteristics', 'Space charge of a vacuum tube', 'V-I characteristic of vacuum tube', 'Size of electrostatic field', 'Patents', 'See also', 'Design', 'Balance and smoothness', 'Size and displacement']]



['Wikipedia: List of Polish proverbs', 'Wikipedia: Tug of war', 'Wikipedia: RNA virus', 'Wikipedia: Richard Doyle', 'Wikipedia: Star Trek II: The Wrath of Khan', 'Wikipedia: Sammarinese Armed Forces', 'Wikipedia: Structural geology', 'Wikipedia: Solomon', 'Wikipedia: Subtractive synthesis', 'Wikipedia: Super Bowl XXIV', 'Wikipedia: Scansano', 'Wikipedia: Strategy', 'Wikipedia: Tuner', 'Wikipedia: Terrorism', 'Wikipedia: Tone row', 'Wikipedia: Thomas the Apostle', 'Wikipedia: Ninth Amendment to the United States Constitution', 'Wikipedia: Transport in Ukraine', 'Wikipedia: Lockheed U-2', 'Wikipedia: Venice Film Festival']
[['Monitored short pages', 'Redirects to Wikiquote', 'Temporary maintenance holdings', 'PowerBook 500 series', 'PowerPC-based models', 'PowerBook G3', 'PowerBook G4', 'Battery recall', 'Discontinuation', 'References'], ['Pure states', 'Ensembles', 'Reduced density matrices', 'Two applications that use them', 'Entanglement as a resource', 'Classification of entanglement', 'Entropy', 'Definition', 'As a measure of entanglement', 'Entanglement measures', 'Overview', 'Origins', 'Latin and Greek phases of Renaissance humanism', 'Social and political structures in Italy', 'Black Death', 'Cultural conditions in Florence', 'Characteristics', 'Early life and career', 'Lawyer', 'Conservative Party in opposition', 'Prime Minister (1911–1920)', 'First World War', 'Borden and the Treaty of Versailles', 'Post-war government', 'Terminology', 'Origin', 'As a sport', 'National organizations', 'References'], ['Characteristics', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages with short descriptions', 'Pathophysiology', 'Diagnosis', 'Clinical diagnosis', 'Diagnostic procedures', 'Prevention', 'Treatment', 'History', 'References'], ['Political science', 'Psychology', 'Sociology', 'Additional fields of study', 'Methodology', 'Social research', 'Theory', 'Education and degrees', 'Low priority of social science', 'See also', 'Doctrine', 'Books', 'The Twelve Imams', 'Jurisprudence', 'Zaidi (Fiver)', 'Timeline', 'Ismaili', 'Ismaili imams', 'Pillars', 'Contemporary leadership', 'Plot', 'Cast', 'Production', 'Development', 'Waterways', 'References'], ['Geology', 'Topography', 'Climate', 'Ecological zones', 'Land use and settlement patterns', 'Statistics', 'Maritime claims', 'Use and importance', 'Methods', 'Geometries', 'Measurement conventions', 'Surface area', 'Curves on a sphere', 'Circles', 'Clelia curves', 'Loxodrome', 'Intersection of a sphere with a more general surface', 'Geometric properties', 'Pencil of spheres', 'Terminology', 'Plane sections', 'Etymology', 'Definition', 'Types of states', 'State and government', 'States and nation-states', 'State and civil society', 'State names', 'State symbols', 'History', 'Biblical account', 'Chronology', 'Childhood', 'External images', 'Examples', 'A human example', 'History', 'Current practice', 'Types', 'Acoustic', 'Electronic', 'Recording', 'Fetal', 'Doppler', '3D-printed', 'Synaptic theory', 'Relationship with working memory', 'Duration', 'Capacity', 'Rehearsal', 'Chunking', 'Factors affecting', 'Conditions', "Alzheimer's disease", 'Aphasia', 'Background', 'Teams', 'San Francisco 49ers', 'Denver Broncos', 'Advantages and disadvantages', 'Image frequency (fIMAGE)', 'Local oscillator radiation', 'Local oscillator sideband noise', 'Terminology', 'Notes', 'See also', 'References', 'Sources', 'Further reading', 'Frazioni', 'Government', 'List of mayors', 'References', 'History', 'See also', 'References', 'Sources'], ['Conceptions', 'World War I', 'United Kingdom', 'France', 'Germany', 'Other nations', 'Interwar period', 'World War II', 'Cold War', '21st century', 'Government', 'Executive', 'Legislature', 'Judiciary', 'Human rights', 'Zanzibar', 'Administrative subdivisions', 'Foreign relations', 'Bilateral relations', 'Multilateral relations', 'Precursors of transhumanism', 'Early transhumanist thinking', 'Artificial intelligence and the technological singularity', 'Growth of transhumanism', 'Theory', 'Aims', 'Empathic fallibility and conversational consent', 'Ethics', 'Currents', 'Spirituality', 'References', 'Sources', 'Further reading'], [], ['Insurgency', 'Etymology', 'Terminology', 'Creation', 'Regions and capitals', 'Public image', 'Military successes', 'Demise', 'Emperors', 'Detailed timeline', 'Simplified timeline', 'Tetrarchy until 1 May 305', 'Further reading', 'History and usage', 'Theory and compositional techniques', 'Background', 'Critical response', 'Publication history', 'See also', 'References', 'Bibliography'], ['References', 'Text', 'Background before adoption', 'Judicial interpretation', 'Scholarly interpretation', 'Recapitulation', 'Economy', 'Transport Infrastructure', 'International Transport Corridors', 'International exchanges', 'Reputation', 'Research', 'Culture and student life', 'Greek life', 'Radio station (CFUV)', 'Residence halls', 'Student newspaper', 'University traditions, myths, lore', 'Cadborosaurus', 'Units of temperature', 'Other units', 'Other names for U.S. customary units', 'See also', 'References'], ['References', 'Notes', 'Further reading'], ['Usage in marine vessels', 'Usage in airplanes', '1900s to 1930s', '1940s to present', 'Usage in automobiles', '1910s', '1920s to 1940s', '1945 to 1960s', '1970s to present', 'List of V12 production engines']]



['Wikipedia: Pembroke College, Cambridge', 'Wikipedia: Phil Ochs', 'Wikipedia: Conversion therapy', 'Wikipedia: Race and intelligence', 'Wikipedia: Demographics of Sri Lanka', 'Wikipedia: San Diego', 'Wikipedia: System of a Down', 'Wikipedia: Seventh Day Baptists', 'Wikipedia: List of maritime explorers', 'Wikipedia: Total internal reflection', 'Wikipedia: Triatoma protracta', 'Wikipedia: Truncated icosahedron', 'Wikipedia: Tenth Amendment to the United States Constitution', 'Wikipedia: V-twin engine']
[['History', 'Buildings', 'Old Court', 'Chapel', 'Expansion', 'Biography', 'Early years', '1962–1966', '1967–1969', '1970', 'Quantum field theory', 'Applications', 'Entangled states', 'Methods of creating entanglement', 'Testing a system for entanglement', 'Naturally entangled systems', 'Photosynthesis', 'Living systems', 'See also', 'References', 'Humanism', 'Humanism and libraries', 'Art', 'Science', 'Navigation and geography', 'Music', 'Religion', 'Self-awareness', 'Spread', 'England', 'Post-political career', 'Family', 'Honours', 'Supreme Court appointments', 'See also', 'Notes', 'Bibliography', 'Further reading'], ['Regional variations', 'Burma (Myanmar)', 'Indonesia', 'Japan', 'Korea', 'New Zealand', 'Peru', 'Poland', 'Basque Country', 'United States', 'Single-stranded RNA viruses and RNA Sense', 'Double-stranded RNA viruses', 'Mutation rates', 'Replication', 'Recombination', 'Classification', 'Positive strand RNA viruses', 'Negative strand RNA viruses', 'Satellite viruses', 'Group III\xa0– dsRNA viruses', 'Human name disambiguation pages', 'Short description is different from Wikidata', 'History', 'History of the controversy', 'Early IQ testing', 'The Pioneer Fund and The Bell Curve', 'Criticisms of race and intelligence as biologically defined concepts', 'General', 'Methods', 'Areas', 'Lists', 'People', 'Other', 'Notes', 'References', 'Bibliography', '20th and 21st centuries sources', 'Other doctrines', 'Doctrine about necessity of acquiring knowledge', "Doctrine concerning Du'a", 'See also', 'Notes', 'Citations', 'General sources', 'Further reading'], ['Design', 'Filming', 'Effects', 'Music', 'Themes', 'Release', 'Reception', 'Home media', 'See also', 'References', 'Military Branches', 'The Crossbow Corps', 'The Guard of the Rock (or Fortress Guard Corps)', 'Uniformed Unit', 'Artillery Unit', 'The Guard of the Council', 'The Company of Uniformed Militia', 'The Military Ensemble', 'The Gendarmerie', 'Municipal Police', 'See also', 'References', 'Overview', 'Plane, fabric, fold and deformation conventions', 'Stereographic projections', 'Rock macro-structures', 'Rock microstructures', 'Kinematics', 'Stress fields', 'Characterization of the mechanical properties of rock', 'Stress-strain curve', 'Hardness', 'Toughness', 'Branches of geometry', 'Non-Euclidean distance', 'Differential geometry', 'Projective geometry', 'Geography', 'Poles, longitude and latitudes', 'Generalizations', 'Dimensionality', 'Metric spaces', 'Topology', 'Pre-historic stateless societies', 'Neolithic period', 'Ancient Eurasia', 'Classical antiquity', 'Feudal state', 'Modern state', 'Theories of state function', 'Anarchist perspective', 'Marxist perspective', 'Pluralism', 'Succession and administration', 'Wisdom', 'Wealth', 'Construction projects', 'Wives and concubines', 'Relationship with Queen of Sheba', 'Sins and punishment', 'Enemies', 'Death, succession of Rehoboam, and kingdom division', 'Jewish scripture', 'An electronic example', 'See also', 'References'], ['Esophageal', 'Earpieces', 'See also', 'References'], ['Schizophrenia', 'Advanced age', 'Posttraumatic stress disorder', 'Intelligence', 'Measuring digit span and short term-memory', 'Short-term memory in literature and popular culture', 'See also', 'References', 'Notes', 'Bibliography', 'Playoffs', 'Super Bowl pregame news', 'Broadcasting', 'Entertainment', 'Pregame ceremonies', 'Halftime show', 'Game summary', 'First quarter', 'Second quarter', 'Third quarter'], ['History', 'In England', 'Ocean explorers', 'See also', 'References and notes', 'Components', 'Formulation and implementation', 'Military theory', 'Management theory', 'Strategies in game theory', 'Counterterrorism Strategy', 'See also', 'Further reading', 'Research and development', 'Design', 'Classification', 'Offensive capabilities', 'Protection and countermeasures', 'Avoiding detection', 'Camouflage', 'Concealment', 'Deception', 'Armour', 'Military', 'Economy and infrastructure', 'Hunger and poverty', 'Agriculture', 'Industry, energy and construction', 'Tourism', 'Banking', 'Transport', 'Communications', 'Water supply and sanitation', 'Practice', 'Technologies of interest', 'Debate', 'Feasibility', 'Intrinsic immorality', 'Loss of human identity', 'Socioeconomic effects', 'Cultural aesthetics', 'Specter of coercive eugenicism', 'Existential risks', 'Electronic', 'Musical', 'Mechanical', 'See also', 'Historical background', 'Modern definitions', 'State terrorism', 'United Nations', 'U.S. law', 'Media spectacle', 'Political violence', 'Pejorative use', 'History', 'Infographics', 'Tetrarchy until July 306', 'Tetrarchy until 16 May 307', 'Tetrarchy from 18 November 308 to the beginning of May 311', 'Tetrarchy from May 311', 'Tetrarchy after 8 October 316 to the end of 316', 'Tetrarchy from 1 March 317 to 18 September 324', 'Legacy', 'Other examples', 'See also', 'Notes', 'Nonstandard tone rows', 'See also', 'Sources'], ['Construction', 'Characteristics', 'Cartesian coordinates', 'Orthogonal projections', 'Spherical tiling', 'Gospel of John', 'Names and etymologies', 'Other names', 'Feast days', 'Later history and traditions', 'Mission in India', 'Death', 'Possible visit to China', 'Possible travel into Indonesia', 'See also', 'Footnotes', 'Further reading', 'Books', 'Articles'], ['Transport Industry', 'Rail', 'Network length (2010)', 'Rail links with adjacent countries', 'Rolling stock and service', 'Maps', 'Roads and Auto', 'Principal roads', 'Aviation', 'Outlook', 'Fight song', 'Finnerty Gardens', 'Martlet icon', 'Weeks of Welcome', 'University Club', 'The University of Victoria Students Society (UVSS)', 'The University of Victoria Graduate Student Society (GSS)', 'Athletics', 'Rowing', 'UVic and UBC rivalry', 'Development', 'Background', 'Lockheed proposal', 'Approval', 'Manufacture', 'Fuel', 'Radar cross-section reduction', 'History', '1930s', '1940s', 'Development and closure', 'The rebirth', 'Direction', 'Awards', 'Official selection: In competition', 'Orizzonti section (Horizons)', 'Motor racing', 'Usage in trucks', 'Usage in railway locomotives', 'Usage in armoured fighting vehicles', 'See also', 'References']]



['Wikipedia: Quasi-War', 'Wikipedia: Robot', 'Wikipedia: Statute', 'Wikipedia: Special relativity', 'Wikipedia: Q (Star Trek)', 'Wikipedia: Foreign relations of San Marino', 'Wikipedia: Spermatozoon', 'Wikipedia: State supreme court', 'Wikipedia: Wednesday Morning, 3 A.M.', 'Wikipedia: Saeed al-Ghamdi', 'Wikipedia: TARDIS', 'Wikipedia: Theism', 'Wikipedia: Time transfer']
[['Gardens', 'Gallery', 'Coat of arms', 'Traditions', 'Student life', 'International programmes', 'People associated with Pembroke', 'Institutions named after the college', 'See also', 'References', '1971–1975', 'Decline and death', 'Legacy', 'Covers and updates', 'Tributes', 'Popular culture', 'Films', 'Professional affiliations', 'Discography', 'Studio albums and live recordings', 'Further reading'], ['Background', 'France', 'Germany', 'Hungary', 'Renaissance in the Low countries', 'Northern Europe', 'Poland', 'Portugal', 'Russia', 'Spain', 'Further countries', 'Summary', 'History', 'Early beginnings', 'Remote-controlled systems', 'Miami University', 'Hope College', 'Formal rules', 'Tactics', 'Injury risks', 'Notable incidents', 'Notes', 'Bibliography'], ['Group IV\xa0– positive-sense ssRNA viruses', 'Group V\xa0– negative-sense ssRNA viruses', 'Gallery', 'Notes', 'See also', 'References'], ['Europe', 'Sigmund Freud', 'Sándor Ferenczi', 'Anna Freud', 'Melanie Klein', 'Vote by European parliament in March 2018', 'Albania', 'Germany', 'Malta', 'United States', 'Intelligence, IQ, g and IQ tests', 'Race', 'Group differences', 'Test scores', 'Flynn effect and the closing gap', 'Environmental influences on group differences in IQ', 'Health and nutrition', 'Education', 'Socioeconomic environment', 'Test bias', '19th century sources', 'General sources', 'Academic resources', 'Opponents and critics'], ['Origins and significance', 'Traditional "two postulates" approach to special relativity', 'Principle of relativity', 'Reference frames and relative motion'], ['Appearances in Star Trek media', 'List of appearances', 'Ranks', 'Gallery', 'References'], ['Ethnicity', 'Religion', 'Languages', 'Vital statistics', 'Fertility and births', 'Births and deaths', 'Life expectancy', 'Population pyramid', 'CIA World Factbook demographic statistics', 'Notes', 'Resilience', 'See also', 'References', 'Spherical geometry', 'Eleven properties of the sphere', 'Gallery', 'Regions', 'See also', 'Notes and references', 'Notes', 'References', 'Further reading'], ['Contemporary critical perspectives', 'Structural universe of the state or structural reality of the state', 'State autonomy within institutionalism', 'Theories of state legitimacy', 'Divine right of kings', 'Rational-legal authority', 'State failure', 'See also', 'References', 'Notes', 'Apocryphal or Deuterocanonical texts', 'Historicity', 'Arguments against biblical description', 'Arguments in favour of biblical description', 'Middle way', 'Archaeology', 'General observations', 'Temple Mount in Jerusalem', 'Precious metals from Tarshish', "Biblical criticism: Solomon's religiosity", 'History', 'Pre-colonial period', 'Spanish period', 'Mexican period', 'American period', 'Geography', 'Communities and neighborhoods', 'Cityscape', 'Climate', 'History', 'Soil (1992–1994)', 'Demo tapes and signing (1994–1997)', 'Self-titled album (1998–2000)', 'Toxicity and Steal This Album! (2001–2003)', 'Mezmerize, Hypnotize and hiatus (2004–2006)', 'Reunion and touring (2010–2015)', 'Possible sixth studio album, continued touring (2016–present)'], ['Role and powers', 'Jurisdiction and appellate procedure', 'Fourth quarter', 'Box score', 'Aftermath', 'Final statistics', 'Statistical comparison', 'Individual statistics', 'Records set', 'Starting lineups', 'Officials', 'References', 'In America', 'In the wider world', 'Beliefs', 'Overview', 'Statement of Belief', 'Organizational structure and offices', 'See also', 'References', 'Citations', 'Sources and further reading', 'Production', 'Artwork', 'Reception', 'Track listing', 'References'], ['Early life and education', 'Active protection system', 'Mobility', 'Tactical mobility', 'Operational mobility', 'Strategic mobility', 'Crew', 'Engineering constraints', 'Command, control, and communications', '20th century', 'World War I and Interwar period', 'Economics Statistics Controversy', 'Food and nutrition', 'Programmes targeting hunger', 'Science and technology', 'Demographics', 'Religion', 'Languages', 'Education', 'Healthcare', 'Women', 'See also', 'References', 'Further reading'], ['Optical description', 'Critical angle', 'Everyday examples ==', 'Related phenomena', 'Evanescent wave (qualitative explanation)', 'Frustrated TIR ===', 'Derivation of evanescent wave', 'Phase shifts ===', 'Types', 'Causes and motivations', 'Choice of terrorism as a tactic', 'Causes motivating terrorism', 'Personal and social factors', 'Democracy and domestic terrorism', 'Religious terrorism', 'Perpetrators', 'Non-state groups', 'State sponsors', 'Citations', 'References'], ['References', 'Further reading', 'Dimensions', 'Area and volume', 'Applications', 'In the arts', 'Related polyhedra', 'Truncated icosahedral graph', 'History', 'See also', 'Notes', 'References', 'Paraguayan legend', 'Relics', 'Mylapore, Chennai, Tamil Nadu, India', 'Edessa', 'Chios and Ortona', 'Iraq', 'Historical references', 'Acts of Thomas', 'Doctrine of the Apostles', 'Origen', 'Text', 'Drafting and adoption', 'Judicial interpretation', 'Commandeering', 'Commerce Clause', 'Supremacy Clause', 'Federal funding', 'Airports', 'Airports with paved runways', 'Airports with unpaved runways', 'Heliports', 'Water transport', 'River transport', 'Danube', 'Dnipro', 'Pripyat', 'Southern Bug', 'Centennial Stadium', 'Sports Hall of Fame', 'Sport clubs and societies', 'Transgender Archives', 'Holdings: ===', 'Significant donors: ===', 'Books', 'About', 'People', 'Chancellors', 'Possible successor', 'Avionics Tech Refresh', 'Design', 'Sensors', 'Operational history', 'United States', 'Pilot selection and training', 'Test flights', 'Cover story', 'First overflights of Communist territory', 'Venice Days (Le Giornate degli Autori)', 'Jaeger-LeCoultre partnership', 'Past awards', 'Mussolini Cup (Coppa Mussolini)', 'Mussolini Cup for Best Italian film', 'Mussolini Cup for Best foreign film', 'Great Gold Medals of the National Fascist Association for Entertainment', 'Audience Referendum', 'Award for Best Director', 'See also', 'Origins', 'Typical design', 'Crankshaft configuration', 'V angle', 'Motorcycles', 'Transverse engine', 'Longitudinal engine']]



['Wikipedia: Prime ideal', 'Wikipedia: Prayer wheel', 'Wikipedia: Regular semantics', 'Wikipedia: Radiocarbon dating', 'Wikipedia: Star Trek: Voyager', 'Wikipedia: Politics of Sri Lanka', 'Wikipedia: Sápmi', 'Wikipedia: Stevia', 'Wikipedia: Super Bowl XXV', 'Wikipedia: Shem', 'Wikipedia: Sheldon Rampton', 'Wikipedia: Three-chord song', 'Wikipedia: The Mismeasure of Man', 'Wikipedia: Eleventh Amendment to the United States Constitution', 'Wikipedia: Volume', 'Wikipedia: Virial theorem']
[[], ['Prime ideals for commutative rings', 'Examples', 'Compilations and other albums', 'See also', 'References', 'Bibliography', 'Further reading'], ['Forces and strategy', 'Significant naval actions', 'Role of the American Revenue-Marine', 'Involvement of the Royal Navy', 'Conclusion of hostilities', 'See also', 'References', 'Bibliography', 'Further reading'], ['Historiography', 'Conception', 'Debates about progress', 'Other Renaissances', 'See also', 'References', 'Sources', 'Further reading', 'Primary sources'], ["Origin of the term 'robot'", 'Early robots', 'Modern autonomous robots', 'Future development and trends', 'New functionalities and prototypes', 'Etymology', 'Modern robots', 'Mobile robot', 'Industrial robots (manipulating)', 'Service robot', 'Example', 'A Theorem from Regularity to Atomicity', 'References', 'Background', 'History', 'Physical and chemical details', 'Principles', 'Carbon exchange reservoir', 'Dating considerations', '20th century', '21st century', 'Theories and techniques', 'Behavioral modification', 'Ex-gay ministry', 'Psychoanalysis', 'Reparative therapy', 'Sex therapy', 'Lobotomy', 'Studies of conversion therapy', 'Stereotype threat and minority status', 'Research into the possible genetic influences on test score differences', 'Genetics of race and intelligence', 'Heritability within and between groups', "Spearman's hypothesis", 'Adoption studies', 'Racial admixture studies', 'Mental chronometry', 'Brain size', 'Archaeological data', 'Publication and organization', 'Alternative meanings', 'International law', 'Autonomy statute', 'Religious statutes', 'Biblical terminology', 'Dharma', 'See also', 'Standard configuration', 'Lack of an absolute reference frame', 'Relativity without the second postulate', 'Lorentz invariance as the essential core of special relativity', 'Alternative approaches to special relativity', 'Lorentz transformation and its inverse', 'Graphical representation of the Lorentz transformation', 'Consequences derived from the Lorentz transformation', 'Invariant interval', 'Relativity of simultaneity', 'Television', 'Novels', 'Computer games', 'Reception', 'References'], ['International organizations', 'Diplomatic relations', 'UN Secretary General visits and remarks', 'Bilateral relations', 'See also', 'References'], ['References'], ['Executive branch', 'Mammalian spermatozoon structure, function, and size', 'Humans', 'DNA damage and repair', 'Avoidance of immune system response', 'Spermatozoa in other organisms', 'Animals', 'Plants, algae and fungi', 'Spermatozoa production in mammals', 'Spermatozoa activation', 'Artificial storage', 'Etymology', 'Geography', 'Landscape', 'Bibliography', 'Further reading'], ['Religious views', 'Judaism', 'Christianity', 'Islam', "Bahá'í", 'Legends', 'One Thousand and One Nights', 'Angels and magic', 'Seal of Solomon', 'Solomon and Asmodeus', 'Ecology', 'Demographics', 'Economy', 'Defense and military', 'Tourism', 'International trade', 'Companies', 'Top employers', 'Real estate', 'Government', 'Musical style, influences, and lyrical themes', 'Lyrical themes', 'Music', 'Influences and comparison to other artists', 'Awards and nominations', 'Members', 'Timeline', 'Discography', 'References'], ['States with unique appellate procedures', 'Relationship with federal courts and federal law', 'Selection', 'Removal', 'Location', 'Terminology', 'List of state and territorial supreme courts', 'Tribal supreme courts', 'See also', 'Notes'], ['Background', 'New York Giants'], ['In the Bible', 'Genesis 10', 'Personnel', 'Charts', 'References', 'In the United States', 'Attacks', 'Mistaken identity', 'See also', 'Notes', 'References'], ['Cold War era', 'Etymology', 'Origins', 'International', 'Combat milestones', 'See also', 'Notes', 'References', 'Bibliography'], ['Culture', 'Literature', 'Painting and sculpture', 'Sports', 'Cinema', 'See also', 'Notes', 'Sources', 'References'], ['Conceptual history', 'General characteristics', "The Doctor's TARDIS", 'Exterior', 'Doors', 'Lock', 'Vulnerability', 'Interior', 'Staircase', 'Applications', 'History', 'Discovery', 'Huygens and Newton: Rival explanations', 'Laplace, Malus, and attenuated total reflectance (ATR)', 'Fresnel and the phase shift', 'See also', 'Notes', 'References', 'Bibliography', 'Connection with tourism', 'Funding', 'Tactics', 'Responses', 'Response in the United States', 'Terrorism research', 'International agreements', 'Mass media', 'Outcome of terrorist groups', 'Databases', 'Etymology', 'Types of theism', 'Monotheism', 'Polytheism', 'Pantheism and panentheism', 'Deism', 'Autotheism', 'Value-judgment theisms', 'See also', 'Notes', 'One-way', 'Two-way', 'Common view', 'Time standard', 'See also', 'References'], ['Author', 'Summary', 'Eusebius', 'Ephrem the Syrian', 'Gregory of Nazianzus', 'Ambrose of Milan', 'Gregory of Tours', 'Writings', 'Saint Thomas Cross', 'In Islam', 'See also', 'References', 'See also', 'References'], ['Sea transport', 'Merchant marine', 'Sea ports and harbours', 'Other notable seaports', 'Important supporting agencies', 'Shipping companies', 'Ship building and maintenance companies', 'Pipelines', 'See also', 'References', 'Presidents', 'Notable faculty', 'Notable alumni', 'Alumni in the arts', 'Alumni in business', 'Alumni in government and public affairs', 'Alumni in the sciences', 'Alumni in sports', 'Asteroid 150145 Uvic', 'See also', '"Bomber gap" disproven', 'Suez Crisis and aftermath', 'Renewal of Eastern Bloc overflights', 'The "missile gap"', 'May 1960: U-2 shot down', 'Restructuring', 'Cuba', 'Asia', 'U-2 carrier operations', '1970–2000', 'References'], ['Units', 'Automobiles', 'Industrial engines', 'See also', 'References']]



['Wikipedia: Quality management system', 'Wikipedia: Rheged', 'Wikipedia: Ray Kurzweil', 'Wikipedia: Retirement', 'Wikipedia: Statutory law', 'Wikipedia: History of São Tomé and Príncipe', 'Wikipedia: Samuel Beckett', 'Wikipedia: Smelting', 'Wikipedia: Sutta', 'Wikipedia: Stability', 'Wikipedia: Scripture (disambiguation)', 'Wikipedia: Herbal tea', 'Wikipedia: History of Tanzania', 'Wikipedia: The Inklings', 'Wikipedia: Thomas Malory', 'Wikipedia: Tensor product', 'Wikipedia: Trakehner', 'Wikipedia: Tom Cruise', 'Wikipedia: Foreign relations of Ukraine', 'Wikipedia: University of Manitoba']
[['Non-Examples', 'Properties', 'Uses', 'Prime ideals for noncommutative rings', 'Important facts', 'Connection to maximality', 'References', 'Further reading', 'Nomenclature and etymology', 'Origins', 'Practice', 'Types', 'Mani wheel', 'Water wheels', 'Fire wheel', 'Elements', 'Concept of quality – historical background', 'Medical devices', 'Location', 'Kings of Rheged', 'Southern Rheged', 'Educational (interactive) robots', 'Modular robot', 'Collaborative robots', 'Robots in society', 'Autonomy and ethical questions', 'Military robots', 'Relationship to unemployment', 'Contemporary uses', 'General-purpose autonomous robots', 'Factory robots', 'Life, inventions, and business career', 'Early life', 'Mid-life', 'Later life', 'Atmospheric variation', 'Isotopic fractionation', 'Reservoir effects', 'Marine effect', 'Hemisphere effect', 'Other effects', 'Contamination', 'Samples', 'Material considerations', 'Preparation and size', 'Penile-phallometric assessment studies', 'Other testing methods', '"Can Some Gay Men and Lesbians Change Their Sexual Orientation?"', 'Analysis of the May 2001 Spitzer report', '"Changing Sexual Orientation: A Consumer\'s Report"', 'Medical, scientific and legal views', 'Legal status', 'Legal status by US state', 'Status by health organizations', 'List of health organizations critical of conversion therapy', 'Policy relevance and ethics', 'See also', 'Sources', 'Notes', 'References', 'Bibliography', 'References'], ['Codified law', 'Time dilation', 'Length contraction', 'Lorentz transformation of velocities', 'Thomas rotation', 'Causality and prohibition of motion faster than light', 'Optical effects', 'Dragging effects', 'Relativistic aberration of light', 'Relativistic Doppler effect', 'Relativistic longitudinal Doppler effect', 'Production', 'Development', 'Music', 'Behind-the-scenes', 'Plot overview', 'Cast', 'Notable guest appearances', 'History of Portuguese São Tomé and Príncipe', 'Movement towards independence', 'Modern São Tomé and Príncipe', 'See also', 'References', 'Legislative branch', 'Political parties and elections', 'Administrative divisions', 'Civil Service Structure', 'Provincial Council structure', 'Local government structure', 'Judicial branch', 'Foreign relations of Sri Lanka', 'Political pressure groups', 'See also', 'History', 'See also', 'References'], ['Climate', 'Natural resources', 'Cultural subdivisions', 'East Sápmi', 'Central Sápmi', 'South Sápmi', 'Lapland', '"Sides"', 'Languages', 'Sámi languages', 'History', 'Discovery', 'Early regulation', 'Commercial use', 'Industrial extracts', 'Mechanism of action', 'Safety and regulations', 'Availability and legal status by country or area', 'See also', 'Footnotes', 'Artifacts', 'Angels', 'In the Kabbalah', 'The palace without entrance', 'Throne', 'Freemasonry', 'Places', 'In literature, art, and music', 'Literature', 'Film', 'Local government', 'State and federal representation', 'Election History', 'Major scandals', 'Crime', 'Education', 'Primary and secondary schools', 'Colleges and universities', 'Libraries', 'Culture', 'Process', 'Roasting', 'Reduction', 'Units', 'Examples of different speeds', 'Psychology', 'See also', 'References', 'References', 'Mathematics', 'Engineering', 'Buffalo Bills', 'Playoffs', 'Super Bowl pregame news', 'Broadcasting', 'Entertainment', 'Pregame ceremonies', 'Halftime show', 'Game summary', 'First Quarter', 'Second Quarter', 'Genesis 11', 'Gospel of Luke', 'In Jewish sources', 'In Islam', 'Sunni Islam', "Shi'a Islam", 'Family tree', 'See also', 'Notes', 'References', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'History', 'Etymology', 'Health risks', 'Prehistory', 'Early Stone Age', 'Middle Stone Age', 'Raised Roof', 'Console room', 'TARDIS console', 'Consciousness', 'TARDIS systems', 'Controls', 'Defences', 'Programming', 'Other systems', 'Other TARDISes'], ['Members', 'Meetings', 'See also', 'Notes', 'References', 'Further reading'], ['Intuitive motivation and the concrete tensor product', 'Baby step towards the abstract tensor product: the free vector space', 'Using the free vector space to "forget" about the basis', 'Quotes', 'See also', 'References', 'Craniometry', 'Bias and falsification', 'IQ, g, statistical correlation, and heritability', 'Second edition', 'Reception', 'Praise', 'Awards', "Reassessing Morton's skull measurements", 'Criticism', 'Responses by subjects of the book', 'Notes', 'Citations', 'Sources', 'Further reading'], ['Text', 'Background', 'Proposal and ratification', 'Impact', 'Retroactivity', 'Sovereign immunity', 'Application to federal law', 'Territorial application', 'References', 'See also'], ['Unofficial databases', 'Western relations', 'Notes', 'References'], ['Recent use', 'United Kingdom', 'Taiwan (Republic of China)', 'Variants', 'Primary list', 'U-2E/F/H details', 'U-2R/S details', 'ER-2 details', 'Operators', 'Aircraft on display', 'Related terms', 'Volume in calculus', 'Volume formulas', 'Volume ratios for a cone, sphere and cylinder of the same radius and height', 'Volume formula derivations', 'Sphere', 'Cone', 'Polyhedron', 'Volume in differential geometry', 'Volume in thermodynamics', 'History', 'Statement and derivation', 'Connection with the potential energy between particles', 'Special case of power-law forces', 'Time averaging', 'In quantum mechanics', "Pokhozhaev's identity", 'In special relativity', 'Generalizations']]



['Wikipedia: PC-FX', 'Wikipedia: Québécois (word)', 'Wikipedia: Sanction', 'Wikipedia: Geography of São Tomé and Príncipe', 'Wikipedia: Economy of Sri Lanka', 'Wikipedia: Search for extraterrestrial intelligence', 'Wikipedia: Saul', 'Wikipedia: Spyware', 'Wikipedia: Sambuca', 'Wikipedia: Syncretism', 'Wikipedia: TV (disambiguation)', 'Wikipedia: Taliban treatment of women', 'Wikipedia: Twelfth Amendment to the United States Constitution', 'Wikipedia: Vector graphics']
[['History', 'Technical specifications', 'Library', 'Reception', 'Notes', 'Wind wheel', 'Row installations', 'Electric dharma wheels', 'See also', 'Gallery', 'References', 'Sources'], ['Organizations and awards', 'Process', 'See also', 'References', 'End of Rheged', 'Discovery of a lost stronghold of Rheged', 'Genetic legacy', 'Notes', 'References', 'Sources and further reading', 'Further reading', 'Car production', 'Packaging', 'Electronics', 'Automated guided vehicles (AGVs)', 'Early AGV-style robots', 'Interim AGV technologies', 'Intelligent AGVs (i-AGVs)', 'Dirty, dangerous, dull or inaccessible tasks', 'Space probes', 'Telerobots', 'Personal life', 'Creative approach', 'Books', 'Movies', 'Views', 'The Law of Accelerating Returns', 'Stance on the future of genetics, nanotechnology, and robotics', 'Health and aging', 'Human neocortex', 'Encouraging futurism and transhumanism', 'Measurement and results', 'Beta counting', 'Accelerator mass spectrometry', 'Calculations', 'Errors and reliability', 'Calibration', 'Reporting dates', 'Use in archaeology', 'Interpretation', 'Use outside archaeology', 'Multi-national health organizations', 'US health organizations', 'UK health organizations', 'Australian health organizations', 'Other health organizations', 'APA taskforce study', 'Self-determination', 'Ethics guidelines', 'International medical views', 'Australia', 'History', 'In specific countries', 'Data sets', 'Factors affecting decisions', 'EU member-states', 'United States', 'Saving for', 'Private law (particular law)', 'See also', 'References'], ['Transverse Doppler effect', 'Measurement versus visual appearance', 'Dynamics', 'Equivalence of mass and energy', 'How far can one travel from the Earth?', 'Relativity and unifying electromagnetism', 'Theories of relativity and quantum mechanics', 'Status', 'Technical discussion of spacetime', 'Geometry of spacetime', 'Cameos', 'Actors', 'Connections with other Star Trek incarnations', 'Characters and races', 'Actors from other Star Trek incarnations appearing on Voyager', 'Actors from Voyager appearing on other Star Trek incarnations', 'List of episodes', 'Tie-in media', 'Novels', 'Book relaunch', 'Further reading'], ['Climate', 'References', 'Sources', 'Further reading'], ['Early life and education', 'Early writings', 'World War II and French Resistance', 'Fame: novels and the theatre', 'Later life and death', 'Works', 'Early works', 'Middle period', 'Late works', 'East Slavic languages', 'North Germanic (Scandinavian) languages', 'Finnic languages', 'Demography', 'Sami', 'Russians', 'Norwegians', 'Swedes', 'Finns', 'Tornedalians and Kvens', 'References'], ['History', 'Music', 'See also', 'Notes', 'References', 'Bibliography'], ['Sports', 'Professional sports', 'College sports', 'Media', 'Infrastructure', 'Utilities', 'Street lights', 'Transportation', 'Notable people', 'Sister cities', 'Fluxes', 'History', 'Tin and lead', 'Copper and bronze', 'Early iron smelting', 'Later iron smelting', 'Base metals', 'Environmental impacts', 'Wastewater', 'Health impact', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'Natural sciences', 'Exercise and sports medicine', 'Social sciences', 'Entertainment', 'Other uses', 'See also', 'Third Quarter', 'Fourth Quarter', 'Aftermath', 'Box score', 'Final statistics', 'Statistical comparison', 'Individual statistics', 'Records Set', 'Starting lineups', 'Officials', 'Bibliography'], ['Ingredients', 'Nomenclature', 'Social and political roles', 'Religious syncretism', 'Cultures and societies', 'Contamination', 'During pregnancy', 'Composition', 'Major varieties', 'See also', 'References'], ['Later Stone Age and Pastoral Neolithic', 'Iron Age', 'Early coastal history', 'Tanganyika (1850 –1890)', 'German East Africa', 'Maji Maji resistance', 'World War I', 'British administration after World War I', 'British rule through indigenous authorities', 'Railway development', 'Other appearances', 'Spin-offs', 'Merchandising', 'In popular culture', 'See also', 'Footnotes', 'References'], ['Legacy', 'The Inklings in fiction', 'References', 'Sources'], ['Identity', 'Thomas Malory of Newbold Revel', 'Alternative identities', 'Welsh poet', 'Thomas Malory of Papworth', 'Thomas Malory of Hutton Conyers', 'Works', 'In fiction', 'The definition of the abstract tensor product', 'Properties', 'Notation', 'Dimension', 'Tensor product of linear maps', 'Universal property', 'Tensor powers and braiding', 'Product of tensors', 'Evaluation map and tensor contraction', 'Adjoint representation', 'Characteristics', 'History', 'The modern Trakehner', 'Famous Trakehners', 'References'], ['Responses to the second edition (1996)', 'See also', 'References'], ['Further reading', 'Early life', 'Career', 'Acting', 'Producing', 'Break with Paramount', 'Management of United Artists', 'Personal life', 'Relationships and wealth'], ['Text', 'Background', 'Relations with CIS states', 'International disputes', 'Belarus', 'Russia', 'Moldova', 'Romania', 'Investment promotion', 'Relations by country', 'Multi-national', 'Africa', 'History', 'Early history', 'Legacy', 'U of M Fort Garry Campus', 'Other Campuses', 'Rady Faculty of Health Sciences and UM Bannatyne Campus', 'Departments and Facilities', 'The Max Rady College of Medicine', 'Research', 'Academics', 'China', 'Norway', 'Russia', 'Specifications (U-2S)', 'In popular culture', 'See also', 'References', 'Notes', 'Bibliography'], ['Volume computation', 'See also', 'References'], ['Inclusion of electromagnetic fields', 'Relativistic uniform system', 'In astrophysics', 'Galaxies and cosmology (virial mass and radius)', 'In stars', 'See also', 'References', 'Further reading'], []]



['Wikipedia: Psychotherapy', 'Wikipedia: Postage stamp', 'Wikipedia: Romanian language', 'Wikipedia: Ring homomorphism', 'Wikipedia: Sarajevo', 'Wikipedia: Demographics of São Tomé and Príncipe', 'Wikipedia: Spacecraft propulsion', 'Wikipedia: Amsterdam Airport Schiphol', 'Wikipedia: Faster-than-light communication', 'Wikipedia: Super Bowl XXVI', 'Wikipedia: Sweeney Todd', 'Wikipedia: S7G reactor', 'Wikipedia: Turmeric', 'Wikipedia: The X-Files', 'Wikipedia: The Black Cat (short story)', 'Wikipedia: Tempera', 'Wikipedia: Unua Libro', 'Wikipedia: Voice-over']
[['References', 'Definitions', 'Delivery', 'Invention', 'William Dockwra', 'Lovrenc Košir', 'Rowland Hill', 'James Chalmers', 'Etymology', 'Québécois identity', 'Québécois nation', 'Québécois in census and ethnographic studies', 'English usage', 'Possible use as an ethnic designation in French', 'Dictionaries', 'Other opinion', "Special terms using 'Québécois'", 'History', 'Prehistory', 'Early history', 'Modern history of Romanian in Bessarabia', 'Historical grammar', 'Geographic distribution', 'Automated fruit harvesting machines', 'Domestic robots', 'Mining robots', 'Healthcare', 'Home automation for the elderly and disabled', 'Pharmacies', 'Research robots', 'Bionic and biomimetic robots', 'Nanorobots', 'Reconfigurable robots', 'Predictions', 'Past predictions', 'Future predictions', 'Reception', 'Praise', 'Criticism', 'Awards and honors', 'Bibliography', 'Non-fiction', 'Fiction', 'Notable applications', 'Pleistocene/Holocene boundary in Two Creeks Fossil Forest', 'Dead Sea Scrolls', 'Impact', 'See also', 'Notes', 'References', 'Sources'], ['Legal views', 'See also', 'References', 'Bibliography'], ['Calculators', 'Size of lump sum required', 'Size of lump sum saved', 'Equate and derive necessary saving proportion', 'Sample results', 'Monte Carlo: better allowance for randomness', 'Early retirement', 'Savings needed', 'Calculations using actual numbers', 'Life after', 'Government and law', 'Arts, entertainment, and media', 'Other uses', 'See also', 'Comparison between flat Euclidean space and Minkowski space', '3D spacetime', '4D spacetime', 'Physics in spacetime', 'Transformations of physical quantities between reference frames', 'Metric', 'Relativistic kinematics and invariance', 'Relativistic dynamics and invariance', 'See also', 'Primary sources', 'Video games', 'Reception', 'Broadcast history', 'Critical response', 'Cultural influence', 'Home media', 'Awards and nominations', 'Reunion', 'References', 'Citations', 'Wildlife', 'Statistics', 'Extreme points', 'See also', 'Economic history', 'Macro-economic trend', 'Economy', 'GDP growth for 2018 and 2019 calendar years', 'Inflation by June 2018', 'Interest rates - 1 year T bill market rate by June 2019', 'External sector', 'Trade account issues', 'Capital account', 'Collaborators', 'Jack MacGowran', 'Billie Whitelaw', 'Jocelyn Herbert', 'Walter Asmus', 'Legacy', 'Archives', 'Honours and awards', 'Selected works by Beckett', 'Dramatic works', 'Politics', 'Sami political structures', 'Sami Parliaments', 'Sami Parliamentary Council', 'Saami Council', 'Russian side', 'Norwegian side', 'Swedish side', 'Finnish side', 'Coats of Arms of Sami Communities', 'Early work', 'Sentinel, META, and BETA', 'MOP and Project Phoenix', 'Ongoing radio searches', 'Allen Telescope Array', 'SERENDIP', 'Breakthrough Listen', 'FAST', 'UCLA', 'Community SETI projects', 'Biblical account', 'House of King Saul', 'Anointed as king', 'Saul among the prophets', 'Military victories', 'Rejection', 'Saul and David', 'See also', 'Notes', 'References', 'Citations', 'General sources'], ['See also', 'References', 'Bibliography'], ['Proposed mechanisms', 'Tachyons', 'Quantum nonlocality', 'Wormholes', 'Fictional devices', 'Ultrawave and hyperwave', 'Overview', 'Routes of infection', 'Effects and behaviors', 'Remedies and prevention', 'Anti-spyware programs', 'How anti-spyware software works', 'Security practices', 'See also', 'Notes', 'Sources', 'History', 'Serving', 'See also', 'References'], ['Mogul Empire', 'During the Enlightenment', 'See also', 'Notes', 'Further reading'], ['Origin and distribution', 'History', 'Etymology', 'Botanical description', 'Appearance', 'Inflorescence, flower, and fruit', '1931 census', 'Health and education initiatives', 'Tanganyika wheat scheme', 'World War II', 'Transition to independence', 'Zanzibar', 'Independence and Union of Tanganyika and Zanzibar', 'Recent history', 'See also', 'References', 'Premise', 'General', 'Mythology', 'Cast and characters', 'Main', 'Arts and entertainment', 'Places', 'Science and technology', 'Other uses', 'See also', 'Notes', 'References'], ['Relation of tensor product to Hom', 'Tensor products of modules over a ring', 'Tensor product of modules over a non-commutative ring', 'Computing the tensor product', 'Tensor product of algebras', 'Eigenconfigurations of tensors', 'Other examples of tensor products', 'Tensor product of Hilbert spaces', 'Topological tensor product', 'Tensor product of graded vector spaces', 'Etymology', 'History', 'Technique', 'Egg tempera', 'Gender policies', 'Mobility', 'Employment', 'Education', 'Health care', 'Forced confinement', 'Punishments', 'International response', 'Scientology', 'Advocacy of Scientology', 'Criticism of psychiatry', 'YouTube video removal', "Scientology's purported influence on Cruise", 'Legacy', '"Tom Cruise Picture"', 'Litigation', 'Filmography', 'Awards and nominations', 'Adoption', 'Journey to Congress', 'Congressional debate', 'House of Representatives', 'Senate', 'Proposal and ratification', 'Electoral College under the Twelfth Amendment', 'Interaction with the Twenty-second Amendment', 'Elections since 1804', 'See also', 'Americas', 'Asia', 'Europe', 'Oceania', 'See also'], ['References', 'Indigenous community', 'Libraries, Museums, and Archives', 'University administration and faculty', 'University presidents', 'University chancellors', 'Notable instructors (past and present)', 'Human Resources', 'Alumni and student life', 'Notable Alumni', 'Student Groups and Representation', 'History', 'Content', 'Reception and legacy', 'Overview', 'Conversion', 'To raster', 'From raster', 'Printing', 'Operation', 'Typical primitive objects', 'Vector operations', 'Techniques', 'Character device', 'Creative device', 'Educational or descriptive device']]



['Wikipedia: Quantico, Virginia', 'Wikipedia: Rutherford scattering', 'Wikipedia: Roald Amundsen', 'Wikipedia: Boeing RC-135', 'Wikipedia: Beverly Crusher', 'Wikipedia: Subject–verb–object', 'Wikipedia: Geography of Tanzania', 'Wikipedia: Treaty', 'Wikipedia: Golden Brown', 'Wikipedia: Theft', 'Wikipedia: The Smashing Pumpkins', 'Wikipedia: Thirteenth Amendment to the United States Constitution', 'Wikipedia: History of the United Arab Emirates', 'Wikipedia: Urban exploration', 'Wikipedia: Unobtainium', 'Wikipedia: Vacuum pump', 'Wikipedia: Vincenzo Bellini']
[['Regulation', 'Europe', 'United States', 'History', 'Types', 'Overview', 'Humanistic', 'Insight-oriented', 'Cognitive-behavioral', 'Systemic', 'Other claimants', 'History', 'The nineteenth century', 'The twentieth and twenty-first century', 'Design', 'Perforations', 'Shapes and materials', 'Graphic characteristics', 'Types', 'First day covers', 'See also', 'References', 'Further reading', 'Legal status', 'In Romania', 'In Moldova', 'In Vojvodina, Serbia', 'Regional language status in Ukraine', 'In other countries and organizations', 'As a second and foreign language', 'Popular culture', 'Dialects', 'Classification', 'Robotic, mobile laboratory operators', 'Soft-bodied robots', 'Swarm robots', 'Haptic interface robots', 'Contemporary art and sculpture', 'Robots in popular culture', 'Literature', 'Films', 'Sex robots', 'Problems depicted in popular culture', 'See also', 'References'], ['Early life', 'Polar treks', 'Belgian Antarctic Expedition', 'Northwest Passage', 'Properties', 'Examples', 'Non-examples', 'The category of rings', 'Endomorphisms, isomorphisms, and automorphisms', 'Monomorphisms and epimorphisms', 'Notes', 'References', 'See also', 'References', 'Further reading'], ['Etymology', 'Environment', 'Geography', 'Cityscape', 'Climate', 'Air quality', 'History', 'Ancient times', 'References', 'Notes', 'Further reading', 'Textbooks', 'Journal articles'], ['Original works', 'Special relativity for a general audience (no mathematical knowledge required)', 'Special relativity explained (using simple or more advanced mathematics)', 'Visualization', 'sources'], ['Casting', 'Population', 'Vital statistics', 'Fertility Rate (The Demographic Health Survey)', 'Life expectancy', 'Other demographic statistics', 'Age structure', 'Median age', 'Birth rate', 'Death rate', 'Overall balance (BOP)', 'Financial institutions', 'Economic infrastructure and resources', 'Transportation and roads', 'Energy', 'Skilled Labor', 'Economic sectors', 'Tourism', 'Tea industry', 'Apparel and textile industry', 'Prose', 'Poetry collections', 'Translation collections and long works', 'See also', 'References', 'Further reading'], ['Archival collections', 'Other links', 'Sports', 'Notable places', 'North Sámi area', 'See also', 'References', 'Notes', 'Citations', 'Sources'], ['SETI@home', 'SETI Net', 'The SETI League and Project Argus', 'Optical experiments', 'Search for extraterrestrial artifacts', 'Technosignatures', 'Fermi paradox', 'Difficulty of detection', 'Post-detection disclosure protocol', 'Active SETI', 'Battle of Gilboa and the death of King Saul', 'Biblical criticism', 'Classical rabbinical views', 'In Islam', 'Name', 'Saul as the King of Israel', 'Historicity', 'Psychological analyses', 'See also', 'References', 'Requirements', 'Effectiveness', 'Methods', 'Reaction engines', 'Delta-v and propellant', 'Power use and propulsive efficiency', 'Energy', 'Etymology', 'Description', 'History', 'Early years', 'Development since the 1990s', 'Infrastructure', 'Terminal', 'Departure Hall 1', 'Departure Hall 2', 'Tachyon-like', 'Ansible', 'Quantum entanglement', 'Psychic links', 'Other devices', 'See also', 'References', 'Applications', '"Stealware" and affiliate fraud', 'Identity theft and fraud', 'Digital rights management', 'Personal relationships', 'Browser cookies', 'Examples', 'History and development', 'Programs distributed with spyware', 'Programs formerly distributed with spyware', 'Background', 'Washington Redskins', 'Buffalo Bills', 'Playoffs', 'Super Bowl pregame news', 'Broadcasting', 'Entertainment', 'Pregame ceremonies', 'Halftime show', 'Counter-programming by In Living Color', 'Plot synopsis', 'Literary history', 'Alleged historical basis', 'In literature', 'In performing arts', 'In stage productions', 'In dance', 'In film', 'Design and operation', 'References', 'Phytochemistry', 'Uses', 'Culinary', 'Dye', 'Indicator', 'Traditional uses', 'Adulteration', 'Medical research', 'See also', 'References', 'Further reading'], ['Physical Geography', 'Recurring', 'Production', 'Conception', 'Casting', 'Minor recurring characters', 'Filming', 'Music', 'Opening sequence', 'Broadcast and release', 'Episodes', 'Modern usage', 'Modern form', 'Bilateral and multilateral treaties', 'Adding and amending treaty obligations', 'Reservations', 'Amendments', 'Plot', 'Publication history', 'Analysis', 'Adaptations', 'References'], ['Tensor product of representations', 'Tensor product of quadratic forms', 'Tensor product of multilinear forms', 'Tensor product of sheaves of modules', 'Tensor product of line bundles', 'Tensor product of fields', 'Tensor product of graphs', 'Monoidal categories', 'Quotient algebras', 'Tensor product in programming', 'Tempera grassa', 'Pigments', 'Application', 'Ground', 'Pre-made paints', 'Artists', 'Revival in 20th-century American art', '20th-century Indian art', 'In contemporary art', 'Gallery', 'Pakistani Taliban', 'See also', 'Notes', 'References', 'Further reading', 'See also', 'References'], ['Notes', 'References'], ['Prehistory', 'Glacial period', 'Hafit period', 'Bronze age: Umm al-Nar and Wadi Suq Cultures', 'Iron Age', 'Advent of Islam and the Middle Ages', 'Athletics and recreation', 'See also', 'References', 'Further reading', 'History of the University'], ['See also', 'Footnotes', 'Notes', 'References'], ['See also', 'Notes', 'References'], ['Commercial device', 'Translation', 'See also', 'References']]



['Wikipedia: Pavo', 'Wikipedia: Real Madrid CF', 'Wikipedia: Stephenson', 'Wikipedia: Leonard McCoy', 'Wikipedia: Sam Peckinpah', 'Wikipedia: Sydney', 'Wikipedia: Samaria', 'Wikipedia: Shah Jahan', 'Wikipedia: Skopje', 'Wikipedia: Total war', 'Wikipedia: Demographics of Tanzania', 'Wikipedia: Tiramisu', 'Wikipedia: Theological virtues']
[['Expressive', 'Postmodernist', 'Other', 'Child', 'Computer-supported', 'Effects', 'Evaluation', 'Outcomes in relation with selected kinds of treatment', 'Mechanisms of change', 'Adherence', 'Souvenir or miniature sheets', 'Stamp collecting', 'Famous stamps', 'See also', 'References'], ['Geography', 'Climate', 'Demographics', 'Transportation', 'Notable people', 'Popular culture', 'See also', 'References'], ['Romance language', 'Balkan language area', 'Slavic influence', 'Other influences', 'French, Italian, and English loanwords', 'Lexis', 'Grammar', 'Phonology', 'Phonetic changes', 'Writing system', 'See also', 'Specific robotics concepts', 'Robotics methods and categories', 'Specific robots and devices', 'Other related articles', 'References', 'Further reading'], ['Derivation', 'Details of calculating maximal nuclear size', 'Extension to situations with relativistic particles and target recoil', 'See also', 'References', 'Textbooks'], ['South Pole Expedition', 'North Polar Expeditions and Northeast Passage', 'Northeast Passage', 'Aerial Expeditions to the North Pole', 'Controversy over Polar Priority', 'Disappearance and death', 'Honours', 'Legacy', 'European-Inuit descendant claims', 'Works by Amundsen', 'See also', 'History', 'Early years (1902–1945)', 'Design and development', 'Operational history', 'Variants', 'KC-135A Reconnaissance Platforms', 'KC-135R Rivet Stand / Rivet Quick', 'KC-135T Cobra Jaw', 'RC-135A', 'RC-135B', 'RC-135C Big Team', 'Middle Ages', 'Ottoman era', 'Austria-Hungary', 'Yugoslavia', 'Siege of Sarajevo during Bosnian War', 'Present', 'Administration', 'Largest city of Bosnia and Herzegovina', 'Municipalities and city government', 'Economy', 'See also', 'References', 'Early life', 'Starfleet Academy', 'Family', 'Reception', 'References'], ['Total fertility rate', 'Population growth rate', "Mother's mean age at first birth", 'Contraceptive prevalence rate', 'Net migration rate', 'Dependency ratios', 'Urbanization', 'Life expectancy at birth', 'Sex ratio', 'Nationality', 'Agriculture', 'IT industry', 'Mining', 'Major companies', 'Global economic relations', 'Credit rating and commercial borrowing', 'Foreign assistance', 'Debt and IMF assistance', 'See also', 'References', 'Family origins', 'Life', 'Television career', 'The Westerner', 'History', 'First inhabitants', 'Establishment of the colony', 'Conflicts', 'Realized interstellar radio message projects', 'Debate', 'Breakthrough Message', 'Criticism', 'See also', 'References', 'Further reading'], ['Bibliography'], ['Etymology', 'Power to thrust ratio', 'Example', 'Rocket engines', 'Electromagnetic propulsion', 'Without internal reaction mass', 'Planetary and atmospheric propulsion', 'Launch-assist mechanisms', 'Air-breathing engines', 'Planetary arrival and landing', 'Table of methods', 'Departure Hall 3', 'A380', 'General aviation terminal', 'Other facilities', 'Future expansions', 'Tower', 'Runways', 'Airlines and destinations', 'Passenger', 'Cargo', 'Early life', 'Birth and background', 'Education', 'Khusrau rebellion', 'Nur Jahan', 'Marriages', 'Rogue anti-spyware programs', 'Legal issues', 'Criminal law', 'Administrative sanctions', 'US FTC actions', 'Netherlands OPTA', 'Civil law', 'Libel suits by spyware developers', 'WebcamGate', 'In popular culture', 'Game summary', 'First quarter', 'Second quarter', 'Third quarter', 'Fourth quarter', 'Box score', 'Final statistics', 'Statistical comparison', 'Individual leaders', 'Records set', 'In music', 'In radio and audio plays', 'On television', 'In comics', 'In rhyming slang', 'References', 'Further reading'], ['Properties', 'Sample sentences', 'See also', 'Sources'], ['Background', 'Examples', 'Watersheds', 'Climate', 'Statistics', 'Specific geographic regions', 'Extreme points', 'References', 'Nielsen ratings', 'Films', 'Revival', 'Home media', 'Spin-offs', 'The Lone Gunmen', 'The X-Files: Albuquerque', 'Comic books', 'Influence', 'Critical reception', 'Protocols', 'Execution and implementation', 'Interpretation', 'Consequences of terminology', 'Ending treaty obligations', 'Withdrawal', 'Suspension and termination', 'Invalid treaties', 'Ultra vires treaties', 'Misunderstanding, fraud, corruption, coercion', 'Overview', 'Meaning', 'Musical composition', 'Music video', 'Charts', 'Certifications', '"Number Two" poll', 'Array programming languages', 'See also', 'Notes', 'References', 'See also', 'References', 'Further reading'], ['Elements', 'By jurisdiction', 'Australia', 'Actus reus', 'Mens rea', 'Canada', 'Hong Kong', 'India', 'History', 'Early years: 1988–1991', 'Mainstream breakout and Siamese Dream: 1992–1994', 'Mellon Collie and the Infinite Sadness: 1995–1997', 'Adore, Machina, and breakup: 1998–2000', 'Post-breakup: 2001–2004', 'Reformation and Zeitgeist: 2005–2008', 'Teargarden and Oceania: 2009–2013', 'Monuments to an Elegy: 2014–2016', "Iha and Chamberlin's return and future: 2018–present", 'Text', 'Slavery in the United States', 'Proposal and ratification', 'Crafting the amendment', 'Passage by Congress', 'Ratification by the states', 'Effects', 'Political and economic change in the South', 'Congressional and executive enforcement', 'Peonage law', 'The pearling industry and the Portuguese empire: 16th - 18th century', 'Western coast', 'Northern and Persian coast', 'Pearling culture', 'Decline of the pearling industry', 'British empire: 19th - 20th century', 'Persian Gulf campaign of 1809', 'Persian Gulf campaign of 1819 and General Maritime Treaty of 1820', 'Perpetual Maritime Peace', 'Exclusive Agreement', 'Exploration sites', 'Abandonments', 'Active buildings', 'Catacombs', 'Sewers and storm drains', 'Transit tunnels', 'Utility tunnels', 'Engineering origin', 'Contemporary popularization', 'Science fiction', 'Similar terms', 'See also', 'Notes', 'References'], ['History', 'Early pumps', '19th century', '20th century', 'Types', 'Regenerative pump', 'Other types', 'Performance measures', 'Catania: early life', 'Naples: musical education', 'First Naples compositions', 'Adelson e Salvini', 'Beginnings of a career', 'Bianca e Gernando', 'Northern Italy', 'Il pirata for Milan', 'Bianca revised']]



['Wikipedia: Posen', 'Wikipedia: QSIG', 'Wikipedia: R. B. Bennett', 'Wikipedia: Robert Langlands', 'Wikipedia: Sedan', 'Wikipedia: Telecommunications in Sri Lanka', 'Wikipedia: Sextans', 'Wikipedia: Second-order predicate', 'Wikipedia: William Jones (philologist)', 'Wikipedia: Super Bowl XXVII', 'Wikipedia: Selection sort', 'Wikipedia: Toronto Blue Jays', 'Wikipedia: United Nations Industrial Development Organization', 'Wikipedia: Vacuum']
[['Adverse effects', 'General critiques', 'See also', 'References', 'Further reading', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'List of QSIG standards', 'List of ISDN standards', 'See also', 'Romanian alphabet', 'Pronunciation', 'Punctuation and capitalization', 'Academy spelling recommendations', 'Examples of Romanian Text', 'See also', 'Notes', 'References', 'Bibliography'], ['Early life', 'Some important friendships', 'University, early legal career', 'Moving west', 'Early political career', 'Career', 'Research', 'Awards and honors', 'Personal life', 'Publications', 'See also', 'See also', 'References', 'Notes', 'Citations', 'Sources', 'Further reading'], ['Santiago Bernabéu Yeste and European success (1945–1978)', 'Quinta del Buitre and sustained success (1980–2000)', 'Florentino Pérez era (2000–2006)', 'Ramón Calderón era (2006–2009)', 'Second Florentino Pérez era (2009–present)', 'La Décima and European treble', 'Crests and colours', 'Crests', 'Colours', 'Kit suppliers and shirt sponsors', 'RC-135D Office Boy / Rivet Brass', 'RC-135E Lisa Ann / Rivet Amber', 'RC-135M Rivet Card', 'RC-135S Nancy Rae / Wanda Belle / Rivet Ball', 'RC-135S Cobra Ball', 'RC-135T Rivet Dandy', 'RC-135U Combat Sent', 'RC-135V/W Rivet Joint', 'RC-135X Cobra Eye', 'RC-135W Rivet Joint (Project Airseeker)', 'Tourism and recreation', 'Demographics', 'Transportation', 'Roads and highways', 'Tram, bus and trolleybus', 'Future metro plans', 'Railway', 'Cable car (Mt. Trebević)', 'Airport', 'International relations', 'Transportation', 'Places', 'France', 'United States', 'Depiction', 'Reboot film series', 'Development', 'Cultural impact', '"He\'s dead, Jim!"', '"I\'m a doctor, not a(n)..."', 'Reception', 'Ethnic groups', 'Religions', 'Languages', 'Literacy', 'School life expectancy (primary to tertiary education)', 'Unemployment, youth ages 15-24', 'References', 'Notes'], ['Telephone', 'Early film career', 'The Deadly Companions', 'Ride the High Country', 'Major Dundee', 'Noon Wine', 'International fame', 'The Wild Bunch', 'The Ballad of Cable Hogue', 'Straw Dogs', 'Junior Bonner', 'Modern development', '19th century', '20th century–present', 'Geography', 'Topography', 'Geology', 'Ecology', 'Climate', 'Regions', 'Inner suburbs', 'Notable features', 'Gallery', 'References'], ['Historical boundaries', 'Roman-period definition', 'Modern-time administrative regions', 'Geography', 'History', 'Ancient', 'New Testament references', 'Modern history', 'Archaeology', 'Ancient city of Samaria/Sebaste', 'Testing', 'Speculative methods', 'See also', 'Notes', 'References'], ['Other users', 'Statistics', 'Ground transport', 'Rail', 'Bus', 'Car', 'Accidents and incidents', 'See also', 'Notes', 'References', 'Early military campaigns', 'Rebel prince', 'Reign (1628–1658)', 'Administration of the Mughal Empire', 'Famine of 1630', 'Relations with the Deccan Sultanates', 'Sikh rebellion led by Guru Hargobind', 'Relations with the Safavid dynasty', 'Relations with the Ottoman Empire', 'War with Portuguese', 'See also', 'References'], ['Starting lineups', 'Officials', 'References'], ['Example', 'Implementations', 'Complexity', 'Comparison to other sorting algorithms', 'Variants', 'Geography', 'Topography', 'Hydrography', 'Geology', 'Climate', 'Nature and environment', 'Pollution', 'Middle Ages', '18th and 19th centuries', 'North America', 'Europe', '20th century', 'World War I', 'Propaganda', 'Rationing', 'World War II', 'Shōwa Japan', 'Population', 'Structure of the population  ===', 'Vital statistics', 'Life expectancy', 'Fertility and Births (Demographic and Health Surveys)', 'Total fertility rate in Tanzania', 'Other demographic statistics', 'Overall', 'First seven seasons', 'Eighth and ninth seasons', 'Tenth and eleventh seasons', 'Accolades', 'Fandom', 'Merchandise', 'Legacy', 'Notes', 'References', 'Contrary to peremptory norms', 'Role of the United Nations', 'Relation between national law and treaties by country', 'Australian law', 'Brazilian law', 'India', 'United States', 'Treaties and indigenous peoples', 'Background', 'Australia', 'Cover versions', 'Track listing', '7": Liberty / BP 407 (UK)', '1991 7": Epic / 656761 7 (UK)', '1991 cassette single: Epic / 656761 4 (UK)', '1991 CD: Epic / 656761 2 (UK)', 'References'], ['History', 'Original characteristics', 'See also', 'References', 'Moral theology', '1 Corinthians 13', 'Aquinas', 'Comparison of Cardinal and Theological Virtues', 'See also', 'References', 'Further reading'], ['The Netherlands', 'Republic of Ireland', 'Romania', 'United Kingdom', 'England and Wales', 'Appropriates', 'Property', 'Belonging to another', 'With the intention of permanently depriving the other of it', 'Northern Ireland', 'Musical style, influences, and legacy', 'Music videos', 'Band members', 'Awards', 'Discography', 'See also', 'Footnotes', 'References', 'Bibliography', 'Further reading', 'Penal labor exemption', 'Judicial interpretation', 'Black slaves and their descendants', 'Jones and beyond', 'Other cases of involuntary servitude', 'Prior proposed Thirteenth Amendments', 'See also', 'References', 'Citations', 'Bibliography', 'Trucial States affairs', 'Discovery of oil', 'Buraimi dispute', 'Independence and union: 1960 - 1972', 'British withdrawal', 'Federation of nine Emirates', 'Declaration of the union 1971–1972', 'As the United Arab Emirates', '1973–2003', '2004–2008', 'Popularity', 'Safety and legality', 'Injuries and deaths', 'Rooftopping', 'Photographic documentation', 'Methods and technology', 'In popular culture', 'Literature', 'Television', 'See also', 'Overview', 'Executive heads', 'Facts and figures', 'Techniques', 'Applications', 'Hazards', 'See also', 'References'], ['After Bianca', 'La straniera for Milan', 'Zaira: a setback in Parma', 'Major achievements', 'I Capuleti e i Montecchi: Venice, March 1830', 'La sonnambula: Milan, March 1831', 'Attempts to create Ernani', 'La sonnambula replaces Ernani', 'Norma: Milan, December 1831', 'Naples, Sicily, Bergamo: January to September 1832']]



['Wikipedia: Ponte Vecchio', 'Wikipedia: Quasicrystal', 'Wikipedia: Republic', 'Wikipedia: Rickets', 'Wikipedia: Richard Lovelace', 'Wikipedia: SUV (disambiguation)', 'Wikipedia: Deanna Troi', 'Wikipedia: Politics of São Tomé and Príncipe', 'Wikipedia: Salem al-Hazmi', 'Wikipedia: Sennacherib', 'Wikipedia: Beer in Sweden', 'Wikipedia: Salman Rushdie', 'Wikipedia: Syracuse University', 'Wikipedia: Third World', 'Wikipedia: Transaction Processing Facility', 'Wikipedia: Buzzcocks', 'Wikipedia: The Rolling Stones', 'Wikipedia: Thomas Robert Malthus', 'Wikipedia: Fourteenth Amendment to the United States Constitution', 'Wikipedia: Geography of the United Arab Emirates', 'Wikipedia: Umbriel (moon)']
[['Places', 'Europe', 'United States', 'People', 'Other uses', 'See also', 'History and construction', "Vasari's Corridor", "Benvenuto Cellini's bust", 'Recent history', 'In art', 'History', 'Mathematics', 'Materials science', 'Applications', 'Etymology', 'History', 'Classical republics', 'Cabinet minister, Leader of the Conservative Party', 'Prime Minister of Canada (1930–1935)', 'Confronting the Depression', 'Hosts, dominates 1932 Imperial Conference', 'Anti-Communism', 'Relief camp protest', "Bennett's New Deal", 'Defeat', 'Other measures', 'Retirement, House of Lords, and death', 'References'], ['Signs and symptoms', 'Biography', 'Early life and family', 'Collegiate career', 'Politics and prison', 'Literature', 'Chronology', 'Kit deals', 'Grounds', 'Records and statistics', 'Support', 'Rivalries', 'El Clásico', 'El Derbi madrileño', 'El Viejo Clásico', 'European rivalries', 'Bayern Munich', 'TC-135', 'Operators', 'Accidents and incidents', 'Specifications (RC-135)', 'See also', 'References'], ['Twin towns – sister cities', 'Friendship', 'Communications and media', 'Education', 'Culture', 'Museums', 'Music', 'Festivals', 'Sports', 'Historical Sarajevo gallery', 'Other places', 'Other uses', 'See also', 'References'], ['Depiction', 'Executive branch', 'Legislative branch', 'Political parties and elections', 'Presidential elections', 'Parliamentary elections', 'Judicial branch', 'Telephone Network', 'Domestic', 'International', 'Broadband Internet access', 'Fixed Broadband Service Providers', 'Mobile Broadband Service Providers', 'Internet', 'Internet Speed', 'Other Communication', 'Telecommunications Regulatory Environment in Sri Lanka', 'The Getaway', 'Later career', 'Pat Garrett and Billy the Kid', 'Bring Me the Head of Alfredo Garcia', 'The Killer Elite', 'Cross of Iron', 'Convoy', '2nd unit work on Jinxed!', 'The Osterman Weekend', 'Julian Lennon music videos', 'Inner West', 'Eastern suburbs', 'Southern Sydney', 'Northern Sydney', 'Hills district', 'Western suburbs', 'Urban structure', 'Architecture', 'Housing', 'Parks and open spaces', 'History', 'In the United States', 'Attacks', 'Mistaken identity', 'Other ancient sites', 'Samaritans', 'See also', 'References', 'Bibliography'], ['References', 'Bibliography'], ['Biography', 'Ministers', 'Later life', 'Contributions to architecture', 'Coins', 'Full title', 'Gallery', 'Issue', 'Ancestry', 'See also', 'References', 'Biography', 'Scholarly contributions', 'Encounter with Anquetil-Duperron', 'Chess poem', "Schopenhauer's citation", 'Oration by Hendrik Arent Hamaker', 'Cited by Edgar Allan Poe', 'Bibliography', 'See also', 'Notes', 'Background', "Arizona's Martin Luther King Day controversy", 'Buffalo Bills', 'The Resurrection of the Dallas Cowboys', 'Playoffs', 'Super Bowl pre-game news and notes', 'Broadcasting', 'Entertainment', 'Pregame ceremonies', 'See also', 'References'], ['Urbanism', 'Urban morphology', 'Localities and villages', 'Urban sociology', 'Toponymy', 'History', 'Origins', 'Roman Scupi', 'Middle Ages', 'Ottoman period', 'United Kingdom', 'Germany', 'Soviet Union', 'United States', 'Unconditional surrender', 'Present day', 'Characteristics', 'See also', 'References'], ['Age structure', 'Median age', 'Birth rate', 'Death rate', 'Total fertility rate', 'Population growth rate', "Mother's mean age at first birth", 'Contraceptive prevalence rate', 'Net migration rate', 'Dependency ratios', 'Bibliography'], ['Etymology', 'Victoria', 'See also', 'Notes', 'References'], ['Career', 'Early years', 'Signing to United Artists', 'Break-up and reunions', 'Recent events', 'History', 'Expansion team', '1977–1994: The Pat Gillick era', '1977–1981', '1982–1984', '1985: The "Drive of \'85" and first AL East title', '1986–1988', '1989–1991: Cito Gaston takes charge, two more AL East titles', 'History', 'Early history', '1962–1964: Building a following', '1965–1967: Height of fame', 'United States', 'Alabama', 'Alaska', 'Arizona', 'California', 'Florida', 'Georgia', 'Hawaii', 'Illinois', 'Kentucky'], ['Early life and education', 'Population growth', 'Further reading'], ['Text', '2011–present day', 'See also', 'References'], ['References', 'Further reading'], ['Strategic Priorities', 'Creating shared prosperity', 'Advancing economic competitiveness', 'Safeguarding the environment', 'Strengthening knowledge and institutions', 'Historical background', 'Origins', 'Special organ of the United Nations', 'Conversion into a specialized agency', 'Crisis and reform during the 1990s', 'Etymology', 'Historical interpretation', 'Classical field theories', 'Gravity', 'Electromagnetism', 'Quantum mechanics', 'Outer space', 'Beatrice di Tenda: Venice 1833', 'The break with Romani', 'London: April to August 1833', 'Paris: August 1833 to January 1835', 'I puritani: January 1834 to January 1835', 'Paris: January to September 1835', 'Final illness and death', 'Bellini, romanticism and melodrama', 'Personal life and relationships', 'Francesco Florimo']]



['Wikipedia: Pathological science', 'Wikipedia: Peenemünde Army Research Center', 'Wikipedia: RGB color model', 'Wikipedia: Riverside', 'Wikipedia: Science fiction', 'Wikipedia: Telecommunications in São Tomé and Príncipe', 'Wikipedia: Transport in São Tomé and Príncipe', 'Wikipedia: Shanghai', 'Wikipedia: Scottish', 'Wikipedia: Super Bowl XXVIII', 'Wikipedia: TS', 'Wikipedia: Politics of Tanzania', 'Wikipedia: Twin Peaks', 'Wikipedia: Thomas Bowdler', 'Wikipedia: Demographics of the United Arab Emirates', 'Wikipedia: Unabomber (disambiguation)', 'Wikipedia: Unary numeral system', 'Wikipedia: Villa Savoye', 'Wikipedia: West African Vodun']
[['Definition', 'Hype in science', "Langmuir's examples", 'Overview', 'History', 'Etymology', 'Prerequisites to leisure', 'Play, recreation and work', 'Health and recreation', 'Forms and activities', 'Bricolage', 'Games', 'Outdoor recreation', 'Performing arts', 'Head of state', 'Structure', 'Elections', 'Ambiguities', 'Sub-national republics', 'Other meanings', 'Political philosophy', 'United States', 'See also', 'References', 'Calgary', 'Calgary West', 'Publications', 'Honours', 'Hereditary Peerage', 'British Empire honours', 'Scholastic', 'Honorary Degrees', 'Freedom of the City', 'Memberships and fellowships', 'Epidemiology', 'History', 'Etymology', 'See also', 'References'], ['Characteristics and design philosophy', 'Instruction set philosophy', 'Instruction format', 'Hardware utilization', 'Comparison to other architectures', 'Use of RISC architectures', 'Low-end and mobile systems', 'Workstations, servers, and supercomputers', 'See also', 'References', 'Other players under contract', 'Personnel', 'Current technical staff', 'Management', 'See also', 'Notes', 'References', 'Further reading'], ['Places', 'Australia', 'Canada', 'Definitions', 'History', 'Film', 'Television', 'Social influence', 'As protest literature', 'History', 'Aircraft production', 'Organization', 'Aeronautics', 'Dynamics', 'Surveillance', 'Industrial Products and Services', 'Support and Services', 'Concept and development', 'In universe', 'Reality', 'Fictional character biography', 'Alternate time lines', 'Reception', 'See also', 'See also', 'References', 'Classification', 'Expressways', 'National highways', 'Buses', 'Rail', 'Air', 'Sri Lankan Airlines', 'Airports', 'Domestic flights', 'Water', 'Etymology', 'Alternative names', 'History', 'Crime', 'Culture', 'Science, art, and history', 'Entertainment', 'Media', 'Sport and outdoor activities', 'Notable sporting venues', 'Government', 'Historical governance', 'Government in the present', 'Historical districts', 'See also', 'Notes', 'References'], ['War in the Levant', 'Sennacherib at the gates of Jerusalem', 'Resolving the Babylonian problem', 'The Elamite campaign and revenge', 'Destruction of Babylon', 'Construction of Nineveh', 'Conspiracy, murder and succession', 'Family and children', 'Character', 'Legacy', 'Name', 'Origins', 'Guerrilla war', 'Level of support', 'Government response', 'Capture of Guzmán and collapse', '21st century resurgence and downfall', "Hezbollah's comments (2006)", 'International Guerillas (1990)', 'Al-Qaeda hit list (2010)', 'Jaipur Literature Festival (2012)', 'Awards, honours, and recognition', 'Knighthood', 'Religious and political beliefs', 'Religious background', 'Political background', 'U.K. politics', 'Biography', 'Early life', 'Education and early career', 'Return to Chicago and mid-career', 'Nobel Prize and later career', 'Personal life', 'Themes and style', 'Assessment', 'Political views', 'Awards and honors', 'Childhood', 'Relationship with Henry I', 'White Ship and succession', 'Succession (1135)', 'Early reign (1136–39)', 'Initial years (1136–37)', 'Defending the kingdom (1138–39)', 'Road to civil war (1139)', 'Civil war (1139–54)', 'Initial phase of the war (1139–40)', 'Records set', 'Starting lineups', 'Officials', 'Footnotes', 'References', 'Downtown', 'Metropolitan satellite locations', 'Art on campus and permanent collections', 'Organization', 'Admissions', 'Academics', 'Degrees', 'Rankings and reputation', 'Faculty', 'Syracuse University Press', 'Employment', 'Population', 'Demography', 'Ethnic groups', 'Religion', 'Health', 'Education', 'Media', 'Sports', 'Transport', 'Businesses and organizations', 'Linguistics', 'Science and technology', 'Biology and medicine', 'Chemistry', 'See also', 'References', 'Political conditions', 'Plot', 'Season 1', 'Season 2', 'Season 3', 'What TPF is not', 'What TPF is', 'Data records', 'Programs and residency', 'Memory usage', 'References', 'Bibliography'], ['Earth–Moon system', 'Discovery history of the secular acceleration', "Effects of Moon's gravity", 'Angular momentum and energy', 'Historical evidence', 'Quantitative description of the Earth–Moon case', 'Other cases of tidal acceleration', 'Tidal deceleration', '2004 season', '2005 season', '2006 season', '2007 season', '2008 season', '2009 season', '2010–2015: The Alex Anthopoulos and José Bautista era', '2010 season', '2011 season', '2012 season', 'Tours', 'Band members', 'Current members', 'Touring members', 'Former members', 'Early members', 'Former touring members', 'Timeline', 'Discography', 'Awards and nominations', 'Capital theft', 'Psychology', 'See also', 'Notes', 'References'], ['Other publications', 'Reception and influence', 'In popular culture', 'Epitaph', 'See also', 'Notes', 'References', 'Further reading'], ['Due Process Clause', 'General aspects', 'Specific aspects', 'Substantive due process', 'Procedural due process', 'Incorporation', 'Equal Protection Clause', 'State actor doctrine', 'Apportionment of representation in House of Representatives', 'Enforcement', 'References', 'Population', 'Population pyramid data', 'People', 'Other', 'Technical offices at country level', 'Other related sites', 'Sources', 'References'], ['See also', 'References'], ['Theology and practice', 'Priestess', 'Demographics', 'Art']]



['Wikipedia: Robyn', 'Wikipedia: Ralph Waldo Emerson', 'Wikipedia: Resurrection of Jesus', 'Wikipedia: Hoshi Sato', 'Wikipedia: List of brightest stars', 'Wikipedia: St Albans', 'Wikipedia: Taurus (constellation)', 'Wikipedia: Thunderbird (mythology)', 'Wikipedia: Tengwar', 'Wikipedia: USS Hornet', 'Wikipedia: Vickers']
[['N-rays', 'Other examples', 'Later examples', 'Newer examples', 'Polywater', 'Cold fusion', 'Water memory', 'See also', 'Notes', 'References', 'HVP organization', 'Guided missile and rocket development', 'Aerodynamic Institute', 'Heimat-Artillerie-Park 11', 'Operation Crossbow', 'Evacuation', 'Post-war', 'In popular culture', 'See also', 'References', 'Dance', 'Music Creation', 'Visual arts', 'Drawing', 'Literature', 'Painting', 'Photography', 'Organized recreation', 'Recreation center', 'Recreation as a career', 'Further reading'], ['Career', 'Honorary military appointments', 'See also', 'References', 'Further reading', 'Historiography', 'Primary sources'], ['Additive colors', 'Physical principles for the choice of red, green, and blue', 'History of RGB color model theory and usage', 'Photography', 'Television', 'Personal computers', 'RGB devices'], ['Early life, family, and education', 'Early career', 'Jewish–Hellenistic background', 'Jewish', 'Greco-Roman', 'Biblical accounts', 'New Zealand', 'United Kingdom', 'United States', 'Multiple states', 'Music', 'Other uses', 'See also', 'Sense of wonder', 'Science fiction studies', 'Classification', 'As serious literature', 'Community', 'Authors', 'Awards', 'Conventions, clubs, and organizations', 'Fandom and fanzines', 'Alternative terms', 'Saab Barracuda LLC', 'Saab Kockums', 'Products', 'Military aircraft', 'Cancelled military aircraft projects', 'Civilian aircraft', 'Experimental aircraft', 'Unmanned aerial vehicles', 'Missiles', 'Naval Combat Management Systems', 'Notes', 'References', 'Bibliography'], ['Seaports', 'Air services', 'Road networks', 'Bus services', 'References', 'Ports and harbours', 'Colombo Port', 'Hambantota Port', 'Dikkowitta Fishery Harbour', 'Kankesanthurai Port', 'Merchant marine', 'Pipelines', 'See also', 'References'], ['Ancient history', 'Imperial history', 'Rise and golden age', 'Japanese invasion', 'Modern history', 'Geography', 'Climate', 'Cityscape', 'Architecture', 'Politics', 'Infrastructure', 'Education', 'Health', 'Transport', 'Roads', 'Buses', 'Trams and light rail', 'Trains', 'Ferries', 'Airports', 'See also', 'Sennacherib in popular memory', 'Archaeological discoveries', 'Titles', 'See also', 'References', 'Cited bibliography', 'Cited web sources'], ['Popular culture', 'See also', 'Notes', 'References', 'Fiction'], ['U.S. politics', 'Against religious extremism', 'Indian politics and Kashmir', 'Bibliography', 'Novels (fiction)', 'Collections', "Children's books", 'Essays and nonfiction', 'See also', 'Notes', 'Bibliography', 'Novels and novellas', 'Short story collections', 'Plays', 'Library of America editions', 'Translations', 'Non-fiction', 'Works about Saul Bellow', 'See also', 'References', 'Second phase of the war (1141–42)', 'Stalemate (1143–46)', 'Final phases of the war (1147–52)', 'Argument with the church (1145–52)', 'Treaties and peace (1153–54)', 'Death', 'Legacy', 'Aftermath', 'Historiography', 'Popular representations', 'Background', 'Dallas Cowboys', 'Buffalo Bills', 'Playoffs', 'Pregame news', 'Broadcasting', 'Entertainment', 'Pregame ceremonies', 'University lectures', 'Libraries', 'Research', 'Student life', 'Media', 'Student government', 'Fraternities and sororities', 'Syracuse University Ambulance', 'Religious life', 'Athletics', 'Main connections', 'Rail and coach stations', 'Public transport', 'Airport', 'Culture', 'Cultural institutions', 'Museums', 'Architecture', 'Festivals', 'Nightlife', 'Electronics and computing', 'Mathematics', 'Transportation', 'Other uses', 'See also', 'Executive branch', 'Legislative branch', 'Political parties and elections', 'Judicial branch', 'Administrative divisions', 'References'], ['Ministries', 'Future', 'Cast', 'Main cast', 'Starring cast', 'Recurring cast', 'Production', 'Development', 'Casting', 'Music', 'Filming locations', 'Algonquian', 'Menominee', 'Ojibwe', 'Ho-Chunk', 'Scientific interpretation', 'Theory', 'Size of the tidal bulge', 'Torque', 'Relation of the lag angle to energy dissipation', "Retardation of the planet's rotation", 'Effect on the satellite motion around the planet', 'Effect of the Sun', 'A detailed calculation for the Earth–Moon system', 'Potential perturbation created by the Moon on Earth', 'Form of the bulge I: response to a perturbative potential', '2013 season', '2014 season', '2015: Return to the playoffs, AL East champions', '2016–present: The Ross Atkins era', '2016: Wild Card winners', '2017 season', '2018 season', '2019 season', '2020 season', 'Popularity', 'See also', 'Notes', 'References', 'Footnotes', 'Sources', 'Further reading'], ['Biography', 'The Family Shakespeare', 'Changes', 'Publication information', 'See also', 'Notes', 'Bibliography', 'Internal history and terminology', 'External history', 'Precursors', 'Tengwar', 'Influence on voting rights', 'Criticism', 'Participants in rebellion', 'Validity of public debt', 'Power of enforcement', 'Selected Supreme Court cases', 'Citizenship', 'Privileges or immunities', 'Equal protection', 'Felon disenfranchisement', 'Education and Employment', 'Vital statistics', 'UN prospects', 'Births and deaths', 'Life expectancy', 'Ethnicity of UAE immigrants', 'Ethnic groups', 'Languages', 'Practiced religions', 'CIA World Factbook demographic statistics', 'All set index articles', 'Articles with short description', 'Set indices on ships', 'Short description is different from Wikidata', 'Operations', 'Complexity', 'Applications', 'See also', 'References'], ['Background', 'History of the commission', 'Construction', 'Design', 'Later history', 'Legacy', 'Footnotes', 'References', 'Further reading'], ['Gallery', 'See also', 'References', 'Further reading'], []]



['Wikipedia: Pneumatic tube', 'Wikipedia: Padstow', 'Wikipedia: Recession', 'Wikipedia: Renewable energy', 'Wikipedia: RPN', 'Wikipedia: Armed Forces of São Tomé and Príncipe', 'Wikipedia: Sudan', 'Wikipedia: Sword', 'Wikipedia: List of nearest stars and brown dwarfs', 'Wikipedia: Saaremaa', 'Wikipedia: Shirley Dean', 'Wikipedia: Stereochemistry', 'Wikipedia: Space Battleship Yamato', 'Wikipedia: Economy of Tanzania', 'Wikipedia: Theory of everything', 'Wikipedia: Timor', 'Wikipedia: Tipu Sultan', 'Wikipedia: Treason', 'Wikipedia: Urd (Oh My Goddess!)', 'Wikipedia: Ulysses', 'Wikipedia: Vancouver (disambiguation)']
[['History', 'Historical use', 'Current use'], ['History', 'Churches', 'e-commerce', 'See also', 'References'], ['1989–1993: Early career', '1994–1998: Robyn Is Here', "1999–2004: My Truth and Don't Stop the Music", '2004–2008: Konichiwa Records and Robyn', '2010–2013: Body Talk', '2014–2016: Do It Again and EPs', '2017–present: Honey', 'Personal life', 'Discography', 'Awards and nominations', 'Overview', 'History', 'Mainstream technologies', 'Wind power', 'Hydropower', 'Solar energy', 'RGB and displays', 'Video electronics', 'Video framebuffer', 'Nonlinearity', 'RGB and cameras', 'RGB and scanners', 'Numeric representations', 'Color depth', 'Geometric representation', 'Colors in web-page design', 'Literary career and transcendentalism', 'Philosophers Camp at Follensbee Pond – Adirondacks', 'Civil War years', 'Final years and death', 'Lifestyle and beliefs', 'Legacy', 'Namesakes', 'Selected works', 'See also', 'Notes', 'Paul and the first Christians', 'Gospels and Acts', 'Significance in Christianity', 'Foundation of Christian faith', 'Easter', 'First ekklēsia', 'Exaltation and Christology', 'Christ–devotion', 'Low and High Christology', 'Redemptive death', 'Mathematics', 'Nursing', 'Other uses', 'Elements', 'International examples', 'Subgenres', 'Related genres', 'See also', 'References', 'Sources'], ['Naval Radar Systems', 'Boats', 'Gallery', 'See also', 'References', 'Bibliography'], ['Biography', 'Fate', 'Mirror Universe', 'Key episodes', 'Reception', 'See also', 'References'], ['History', 'Capabilities', 'Branches', 'Military and naval equipment', 'Infantry weapons', 'Etymology', 'History', 'Prehistoric Sudan (before c. 800 BC)', 'Structure', 'Administrative divisions', 'Economy', 'Finance', 'Manufacturing', 'Tourism', 'Free-trade zone', 'Demographics', 'Religion', 'Language', 'Environmental issues and pollution reduction', 'Utilities', 'See also', 'Notes', 'References'], ['Measurement', 'Main table', 'See also', 'Notes', 'References'], ['Etymology', 'History', 'Geography', 'Nature', 'Kaali Meteorite', 'Name', 'History', 'Celtic', 'Roman', 'Anglo-Saxon', 'Medieval', 'Modern', 'References'], ['Mayor'], ['History', 'Significance', 'Issue', 'Genealogical chart', 'Notes', 'References', 'Bibliography', 'Further reading', 'Halftime show', 'Game summary', 'First Quarter', 'Second Quarter', 'Third Quarter', 'Fourth Quarter', 'Box score', 'Final statistics', 'Statistical comparison', 'Individual leaders', 'Alumni', 'Affiliations', 'Affiliated institutions', 'State University of New York College of Environmental Science and Forestry', 'State University of New York Upstate Medical University', 'Formerly affiliated institutions', 'State University of New York at Binghamton', 'Utica College', 'See also', 'References', 'People from Skopje', 'International relations', 'Twin towns – sister cities', 'Partnerships', 'See also', 'Notes', 'References', 'Sources', 'Further reading'], ['Characteristics', 'Features', 'Deep-sky objects', 'History and mythology', 'Astrology', 'Space exploration', 'Solar eclipse of May 29, 1919', 'See also', 'History', 'Macro-economic trend', 'Agriculture', 'Industry', 'Mining', 'Filming', 'Response', 'Critical acclaim', 'Declining ratings', 'Influence', 'Merchandise', 'Home media', 'Books, audio and virtual reality', 'Theatrical film', 'Notes', 'In modern usage', 'See also', 'Notes', 'References'], ['Form of the bulge II: the deformation creating a perturbative potential', 'Calculation of the torque', 'See also', 'References'], ['Culture', '"OK Blue Jays"', 'Mascots', 'Sunday Salute', 'National anthems', 'Rivalries', 'Montreal Expos', 'Detroit Tigers', 'Seattle Mariners', 'Broadcasting', 'Early years', 'Childhood', 'Early military service', 'Second Anglo-Mysore War', 'Ruler of the Mysore', 'Conflicts with Maratha Confederacy', 'History', 'In individual jurisdictions', 'Australia', 'Description', 'Letters', 'Regularly formed letters', 'Irregularly formed letters', 'Tehtar', 'Modes', 'Ómatehtar', 'Full writing', 'Modes for various languages', 'Encoding schemes', 'See also', 'References', 'Notes', 'Citations', 'Bibliography', 'Further reading'], ['Age structure', 'Population growth rate', 'Net migration rate', 'Sex ratio', 'Life expectancy at birth', 'Total fertility rate', 'Infant mortality rate (per 1,000 live births)', 'Citizenship', 'Dependency ratio', 'Literacy', 'United States Navy ship names', 'Creation and conception', 'Norse origins', 'People', 'Places in the United States', 'Arts and entertainment', 'Literature', 'Film and television', 'Places', 'Canada', 'United States', 'History', 'Early history', 'Vickers, Sons & Company', 'Vickers, Sons & Maxim', 'Vickers Limited', 'Reorganisation', 'Merger with Armstrong Whitworth', 'Nationalisation']]



['Wikipedia: Request for Comments', 'Wikipedia: Richard Garfield', 'Wikipedia: Women in Judaism', 'Wikipedia: Reverse Polish notation', 'Wikipedia: Spirotrich', 'Wikipedia: Škoda Auto', 'Wikipedia: Romulan', 'Wikipedia: History of Saudi Arabia', 'Wikipedia: Sonet', 'Wikipedia: Simultaneity', 'Wikipedia: Super Bowl XXIX', 'Wikipedia: Snake oil', 'Wikipedia: Speed metal', 'Wikipedia: Taco', 'Wikipedia: Thallium', 'Wikipedia: Fifteenth Amendment to the United States Constitution', 'Wikipedia: Politics of the United Arab Emirates', 'Wikipedia: Conservative Party (UK)', 'Wikipedia: Vapor', 'Wikipedia: Villard de Honnecourt']
[['Applications', 'In postal service', 'In public transportation', 'In money transfer', 'In medicine', 'Department stores', 'Waste disposal', 'In production', 'Technical characteristics', 'See also', 'Economy', 'Transport', 'Maritime traffic', 'Railway', 'Footpaths', 'Culture', "'Obby 'Oss festival", "Mummers' or Darkie Day", 'Notable residents', 'See also', 'Definition', 'Attributes', 'Type of recession or shape', 'Psychological aspects', 'Balance sheet recession', 'Liquidity trap', 'Paradoxes of thrift and deleveraging', 'Predictors', 'Government responses', 'See also', 'References'], ['Geothermal energy', 'Bioenergy', 'Integration into the energy system', 'Electrical energy storage', 'Market and industry trends', 'Growth of renewables', 'Future projections', 'Trends for individual technologies', 'Hydroelectricity', 'Wind power development', 'Color management', 'RGB model and luminance–chrominance formats relationship', 'See also', 'References'], ['References', 'Further reading', 'Archival sources'], ['Call to missionary activity', 'Leadership of Peter', 'Paul – participation in Christ', 'Church Fathers – atonement', 'Late Antiquity and early Middle Ages', 'Present-day', 'Historicity and origin of the resurrection of Jesus', 'Physical or spiritual resurrection', 'Paul and the Gospels', 'The empty tomb', 'Explanation', 'Practical implications', 'Converting from infix notation', 'Implementations', 'History', 'Hewlett-Packard', 'See also', 'References', 'History', 'Laurin & Klement', 'Škoda', 'World War II', 'Post World War II', 'Volkswagen Group subsidiary', 'History', 'Original development', 'Reintroduction in the 1980s and 1990s', 'Deep Space Nine and Voyager', 'Anti-aircraft artillery', 'Anti-armor', 'Vehicles', 'Aircraft', 'International military engagement', 'References', 'Kingdom of Kush (c. 800 BC–350 AD)', 'Medieval Christian Nubian kingdoms (c. 350–1500)', 'Islamic kingdoms of Sennar and Darfur (c. 1500–1821)', 'Turkiyah and Mahdist Sudan (1821–1899)', 'Anglo-Egyptian Sudan (1899–1956)', 'Independence (1956–present)', 'Bashir government (1989–2019)', 'Partition and rehabilitation', '2019 Sudanese Revolution and transitional government of Hamdok', 'Geography', 'Education', 'Transportation', 'Public transportation', 'Roads and expressways', 'Railways', 'Air and sea', 'Culture', 'Museums', 'Cuisine', 'Arts', 'History', 'Prehistory and antiquity', 'Bronze Age', 'Iron Age', 'Indian antiquity', 'Greco-Roman antiquity', 'Persian antiquity', 'List', 'Distant future and past encounters', 'See also', 'Notes', 'References'], ['Resources', 'Characteristics', 'Transportation', 'Sport', 'Famous residents', 'Trivia', 'Gallery', 'See also', 'References', 'Further reading', 'Government and administration', 'Local government', 'Past', 'Present', 'Parliamentary representation', 'Geography', 'Climate', 'Neighbourhoods', 'Nearby towns and villages', 'Economy', 'Early political career', 'Recent Community Involvement', 'Offices Held', 'References'], ['Thalidomide example', 'Definitions', 'Types', 'See also', 'References', 'Development', 'Plot', 'Movie edition', 'Fictional chronology', 'Sequels', 'Farewell to Space Battleship Yamato (1978)', 'Space Battleship Yamato II (1978)', 'Records Set', 'Starting lineups', 'Officials', 'References'], ['History', 'From cure-all to quackery', 'Origins', 'New wave of British heavy metal', 'Other metal influences', 'Notes', 'References', 'Book references'], ['Minerals', 'Education', 'Electricity', 'Natural gas', 'External trade and investment', 'Zanzibar', 'Literature', 'See also', 'References', 'Notes', 'References', 'Sources'], ['Name', 'Historical antecedents', 'Antiquity to 19th century', 'Early 20th century', 'Late 20th century and the nuclear interactions', 'Modern physics', 'Conventional sequence of theories', 'String theory and M-theory', 'Language, ethnic groups and religion', 'Geography', 'Administration', 'West Timor', 'East Timor', 'Flora and fauna', 'History', 'See also', 'Radio', 'Television', 'Roster', 'Minor league affiliations', 'Season by season record', 'Awards and other achievements', 'Award winners and league leaders', 'Franchise records', 'No-hitters', 'Triple crown champions', 'The Invasion of Travancore by Sultanate of Mysore (1766–1790)', 'Third Anglo-Mysore War', "Napoleon's attempt at a junction", 'Death', 'Fourth Anglo-Mysore War', 'Administration', 'Mysorean rockets', 'Navy', 'Economy', 'Road development', 'New South Wales', 'Victoria', 'South Australia', 'Brazil', 'Canada', 'Finland', 'France', 'Germany', 'Hong Kong', 'Ireland', 'Legacy encoding', 'Unicode', 'ConScript Unicode Registry', 'In popular culture', 'See also', 'Notes', 'References'], ['Text', 'Background', 'Proposal and ratification', 'Proposal', 'Ratification', 'Application', 'See also', 'References', 'Executive branch', 'Biography', 'Personality', "World of Elegance's appearances", 'References'], ['Music', 'Video games', 'Science and technology', 'Sport', 'Vehicles', 'Maritime', 'Other vehicles', 'Other uses', 'See also', 'Vessels', 'Music', 'Other uses', 'People with the surname', 'See also', 'Vickers plc', 'Current status of Vickers', 'See also', 'Citations', 'Further reading'], []]



['Wikipedia: Pinzgauer', 'Wikipedia: Dakar Rally', 'Wikipedia: Sexual selection', 'Wikipedia: Sagitta', 'Wikipedia: Single-shot', 'Wikipedia: Superconducting magnetic energy storage', 'Wikipedia: Spacetime', 'Wikipedia: Stanley Elkin', 'Wikipedia: Stan Rogers', 'Wikipedia: Telecommunications in Tanzania', 'Wikipedia: Tetracycline', 'Wikipedia: Tori Amos', 'Wikipedia: Universal Networking Language']
[['References'], ['All article disambiguation pages', 'References'], ['History', 'Keynes on Government Response', 'Stock market', 'Politics', 'Consequences', 'Unemployment', 'Business', 'Social effects', 'History', 'Global', 'Australia', 'History', 'Production and versioning', 'Sub-series', 'Streams', 'Obtaining RFCs', 'Status', '"Standards Track"', '"Informational"', '"Experimental"', '"Best Current Practice"', 'Solar thermal', 'Photovoltaic development', 'Biofuel development', 'Geothermal development', 'Developing countries', 'Policy', 'Policy trends', '100% renewable energy', 'Emerging technologies', 'Debate', 'Early life, family and education', 'Game design career', 'Precursors and development of Magic: the Gathering', 'Wizards of the Coast', 'As an independent designer', 'Games designed', 'References'], ['Biblical times', 'Talmudic times', 'Middle Ages', 'Religious life', 'Domestic life', 'Education', 'Views on the education of women', 'Bruriah', "Rashi's daughters", 'In Christian art', 'Gallery of art', 'Relics', 'Views of other religions', 'Judaism', 'Gnostics', 'Islam', 'See also', 'Notes', 'References', 'WP 31S and WP 34S', 'Sinclair Radionics', 'Commodore', 'Prinztronic', 'Heathkit', 'Soviet Union', 'Other', 'See also', 'References', 'Further reading', 'History', 'Darwin', 'Ronald Fisher', 'Theory', 'Reproductive success', 'Modern interpretation', 'Growth strategy', 'Electrification strategy', 'Sales and markets', 'Sales figures', 'Markets', 'Production', 'Motorsport', 'World Rally Championship', 'World Rally Championship-2', 'Bonneville Speedway', 'Reboot: 2009–present', 'Other media', 'See also', 'References', 'Footnotes', 'Bibliography', 'Further reading'], ['Pre-Islamic Arabia', 'The spread of Islam', 'Umayyad and Abbasid periods', 'Sharifate of Mecca', 'Ottoman Era', 'Rise of Wahhabism and the first Saudi state', 'Return to Ottoman domination', 'Climate', 'Environmental issues', 'Government and politics', 'Sharia law', 'Foreign relations', 'Armed Forces', 'International organisations in Sudan', 'Human rights', 'Darfur', 'Disputed areas and zones of conflict', 'Fashion', 'Sports', 'Environment', 'Parks and resorts', 'Air pollution', 'Environmental protection', 'Media', 'International relations', 'See also', 'Notes', 'Chinese antiquity', 'Middle Ages', 'Early medieval Europe', 'Later Middle Ages', 'Near East and Africa', 'East Asia', 'South and Southeast Asia', 'Early modern history', 'Military sword', 'Duelling sword', 'History', 'Characteristics', 'Notable features', 'Stars'], ['History', 'Pre-cartridge era', 'Transport', 'Culture and media', 'Sport', 'Cricket', 'Football', 'Gymnastics', 'Hockey', 'Rugby league', 'Rugby union', 'Skateboarding', 'See also', 'See also', 'References', 'Yamato: The New Voyage (1979)', 'Be Forever Yamato (1980)', 'Space Battleship Yamato III (1980)', 'Final Yamato (1983)', 'Yamato 2520 (1994)', 'Space Battleship Great Yamato (2000)', 'New Space Battleship Yamato (2004, cancelled)', 'Great Yamato No. Zero (2004)', 'Yamato: Resurrection (2009)', 'Remakes', 'Background', 'San Diego Chargers', 'San Francisco 49ers', 'Playoffs', 'Chargers', '49ers', 'Super Bowl pregame news', 'Broadcasting', 'Entertainment', 'Modern implications', 'See also', 'References'], ['History', 'Regional differences', 'See also', 'References'], ['Etymology', 'History', 'Traditional variations', 'Non-traditional variations', 'Hard-shell tacos', 'Soft-shell tacos', 'Breakfast taco', 'Indian taco', 'Puffy tacos, taco kits, and tacodillas'], ['Regulation and licensing', 'Radio and television', 'Characteristics', 'Isotopes', 'Compounds', 'Thallium(III)', 'Thallium(I)', 'Organothallium compounds', 'History', 'Occurrence and production', 'Applications', 'Historic uses', 'Loop quantum gravity', 'Other attempts', 'Present status', 'Arguments against', "Gödel's incompleteness theorem", 'Fundamental limits in accuracy', 'Lack of fundamental laws', 'Impossibility of being "of everything"', 'Infinite number of onion layers', 'Impossibility of calculation', 'References'], ['Medical uses', 'Baseball Hall of Famers', 'Ford C. Frick Award recipients', 'J. G. Taylor Spink Award recipients', 'Retired numbers', 'Level of Excellence', 'Notes', 'References'], ['Foreign relations', 'Social system', 'Judicial system', 'Moral Administration', 'Religious policy', 'British accounts', 'Relations with Muslims', 'Relations with Hindus', 'Hindu officers', 'Regular endowments to 156 Hindu temples', 'Italy', 'Japan', 'New Zealand', 'Norway', 'Russia', 'Sweden', 'Switzerland', 'Turkey', 'United Kingdom', 'International influence', 'Early life and education', 'Career', '1979–1989: Career beginnings and Y Kant Tori Read', '1990–1995: Little Earthquakes and Under the Pink', '1996–2000: Boys for Pele, From the Choirgirl Hotel, and To Venus and Back', 'Reconstruction', 'Post-Reconstruction', 'See also', 'References', 'Notes', 'Citations', 'Bibliography'], ['Federal Supreme Council', 'Council of Ministers/Cabinet', 'Local politics', 'Legislature', 'Federal Judiciary', 'Political reform and Arab spring', 'International organization affiliations', 'See also', 'References'], ['History', 'Origins', 'Conservatives and Unionists (1867–1914)', 'First World War', '1920–1945', '1945–1963', 'Popular dissatisfaction', 'Modernising the party', 'Scope and goals', 'Structure', 'History', 'See also', 'Properties', 'Vapor pressure', 'Examples', 'Measuring vapor', 'See also', 'References', 'Life', 'Sketchbook', 'Facsimiles', 'Notes', 'References and further reading'], []]



['Wikipedia: Patrilineality', 'Wikipedia: RSA (cryptosystem)', 'Wikipedia: Ragga', 'Wikipedia: R', 'Wikipedia: Roman legion', 'Wikipedia: Roald Hoffmann', 'Wikipedia: Starship Enterprise', 'Wikipedia: Geography of Saudi Arabia', 'Wikipedia: Sinai Peninsula', 'Wikipedia: Simon Ockley', 'Wikipedia: The Penguins', 'Wikipedia: Tutankhamun', 'Wikipedia: Turbine', 'Wikipedia: Sixteenth Amendment to the United States Constitution', 'Wikipedia: Economy of the United Arab Emirates', 'Wikipedia: Urea breath test', 'Wikipedia: Venus (disambiguation)', 'Wikipedia: Vertical interval timecode']
[['All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'Peugeot and Citroën domination', 'Mitsubishi in the ascendancy', 'Mid 2000s', 'Security concerns', 'South America', 'Vehicles and classes', 'Motorbikes', 'Quads', 'Cars', 'Trucks', 'United Kingdom', 'United States', 'Late 2000s', 'See also', 'References'], ['"Historic"', '"Unknown"', 'See also', 'References'], ['Popular press'], ['Official statements', 'Geopolitics of renewable energy', 'Environmental impact', 'Gallery', 'See also', 'References', 'Bibliography', 'Further reading'], ['History of the term', 'Function and constitution', 'Longevity', 'Maimonides', "Haim Yosef David Azulai, AKA 'The Hida'", 'Sarah Schenirer', 'Yisrael Meir Kagan', 'Joseph Solovetchik', 'Present day', 'Orthodox Judaism', 'Rules of modesty', 'Rules of family purity', 'Modern Orthodox Judaism'], ['Early life', 'Escape from the Holocaust', 'Toolkit of natural selection', 'Sexual dimorphism', 'Male intrasexual competition', 'Influencing factors', 'Sex ratio', 'Resource value and social ranking', 'Winner–loser effects', 'Effect on female fitness', 'In different taxa', 'References', 'Models', 'Concept cars', 'Historic models', '1900s', '1910s', '1920s', '1930s', '1940s', '1950s', '1960s', 'Depiction', 'Pre-Federation era', 'The Original Series era', 'The Next Generation era', 'Alternate timelines', 'Arab Revolt', 'Unification', 'Modern history', 'See also', 'References', 'Further reading', 'Administrative divisions', 'Regional bodies and areas of conflict', 'Economy', 'Demographics', 'Ethnic groups', 'Languages', 'Urban areas', 'Religion', 'Culture', 'Music', 'References', 'Further reading'], ['Late modern history', 'Military sidearm', 'Ceremonial use', 'Sword replicas', 'Morphology', 'Blade', 'Hilt', 'Sword scabbards and suspension', 'Typology', 'Single and double-edged', 'Deep-sky objects', 'Notes', 'References', 'Cited texts'], ['Cartridge era', 'Rifles', 'Pistols', 'Shotguns', 'Types of single-shot cartridge actions', 'Trapdoor actions', 'Break actions', 'Rolling block actions', 'Dropping block actions', 'Tilting block actions', 'Links with other sports', 'Education', 'Notable people', 'Photo gallery', 'See also', 'References'], ['Advantages over other energy storage methods', 'Current use', 'Calculation of stored energy', 'Solenoid versus toroid', 'Low-temperature versus high-temperature superconductors', 'Cost', 'Technical challenges', 'See also', 'References', 'Bibliography', 'Introduction', 'Definitions', 'History', 'Spacetime in special relativity', 'Spacetime interval', 'Reference frames', 'Light cone', 'Relativity of simultaneity', 'Invariant hyperbola', 'Live-action film (2010)', 'Yamato 2199 (2012)', 'Yamato 2202 (2017)', 'Timeline(s)', 'Staff', 'Space Battleship Yamato arcade game', 'Characters', 'English-language title', 'References'], ['Pregame ceremonies', 'Halftime show', 'Radio', 'Game summary', 'First quarter', 'Second quarter', 'Third quarter', 'Fourth quarter', 'Box score', 'Final statistics', 'Biography', 'Works', 'Novels', 'Story collections', 'Novella collections', 'Other works', 'Limited editions', 'Audio', 'As editor', 'Early life and musical development', 'Death', 'Legacy', 'Discography', 'Singles', 'Albums', 'See also', 'References', 'In popular culture', 'See also', 'References', 'Bibliography'], ['Telephones', 'Internet', 'Internet service providers', 'Data operators', 'Censorship and surveillance', 'Freedom of speech', 'See also', 'References', 'Further reading'], ['Optics', 'Electronics', 'High-temperature superconductivity', 'Medical', 'Thallium stress test', 'Other uses', 'Toxicity', 'See also', 'References', 'Bibliography', 'See also', 'References', 'Footnotes', 'Bibliography'], ['Spectrum of activity', 'Anti-eukaryote use', 'Use as a biomarker', 'Side effects', 'Pharmacology', 'Mechanism of action', 'Mechanisms of resistance', 'History', 'Evidence in antiquity', 'Society and culture', 'Operation theory', 'Types', 'Uses', 'See also', 'Notes', 'Sringeri incident, Maratha sacking, and rebuilding temple', 'Controversial figure', 'Persecution of Lingayats', 'Persecution of Hindus outside Mysore', 'Inscriptions', 'Persecution of Christians', 'Treatment of prisoners', 'The coinage system', 'Coinage dating system', 'Assessment and legacy', 'United States', 'Federal', 'Historical cases', 'Burr trial', 'Civil War', 'Reconstruction', 'World War II', 'Cold War and after', 'Treason against U.S. states', 'Vietnam', "2001–2004: Strange Little Girls and Scarlet's Walk", '2005–2008: The Beekeeper and American Doll Posse', '2008–2011: Abnormally Attracted to Sin and Midwinter Graces', '2011–2015: Night of Hunters, Gold Dust, and Unrepentant Geraldines', '2016–present: Native Invader', 'In print', 'Personal life', 'Activism', 'Discography', 'Tours', 'Text', 'Other Constitutional provisions regarding taxes', 'Income taxes before the Pollock case', 'The Pollock case', 'Adoption', 'Historical background', 'Overview', 'Data', 'Edward Heath (1965–1975)', 'Margaret Thatcher (1975–1990)', 'John Major (1990–1997)', 'Political wilderness (1997–2010)', 'William Hague', 'Iain Duncan Smith and Michael Howard', 'David Cameron (2005–2016)', 'Theresa May (2016–2019)', 'Boris Johnson (2019–present)', 'Policies'], ['UNL Society', 'Principles and mechanism', 'Businesses', 'Fictional characters', 'Film', 'Literature', 'Music', 'See also', 'References']]



['Wikipedia: Romulus Augustulus', 'Wikipedia: Stanisław Lem', 'Wikipedia: RNA splicing', 'Wikipedia: Solution', 'Wikipedia: Southern blot', 'Wikipedia: International Society of Cryptozoology', 'Wikipedia: Sacramento, California', 'Wikipedia: Transport in Tanzania', 'Wikipedia: Text editor', 'Wikipedia: Toledo, Ohio', 'Wikipedia: Transcription factor', 'Wikipedia: United States naval reactors', 'Wikipedia: Vandalism']
[['In the Bible', 'Agnatic succession', 'Salic law', 'Genetic genealogy', 'See also', 'References'], ['UTVs', 'List of winners', 'Cars, bikes and trucks', 'Quads and UTVs', 'Podium', 'Bikes', 'SSV', 'Records', 'Television coverage', 'Video games', 'History', 'Patent', 'Operation', 'Key generation', 'Key distribution', 'Encryption', 'Decryption', 'Origins', 'Ragga and hip hop music', 'See also', 'References'], ['History', 'Antiquity', 'Cursive', 'Name', 'Pronunciation and use', 'English', 'Other languages', 'Other systems', 'Related characters', 'Descendants and related characters in the Latin alphabet', 'Life', 'Later life', 'Last Western emperor', 'Legacy', 'Notes', 'Overview of typical organization and strength', 'Evolution', 'Size', 'History', 'Roman kings (to c. 500 BC)', 'Roman Republic (509–107 BC)', 'Late Republic (107–30 BC)', 'Early Empire (27 BC–AD 284)', 'Later Empire (from 284 AD)', 'Legionary ranks', "Women's prayer groups", 'Women as witnesses', 'Orthodox approaches to change', 'Agunot', 'Conservative Judaism', 'Changes in the Conservative position', 'Conservative approaches to change', 'Reform Judaism', 'Reform approaches to change', 'Reconstructionist Judaism', 'Education and academic credentials', 'Scientific research', 'Artistic interests', 'The World Of Chemistry with Roald Hoffmann', 'Entertaining Science', 'Non-fiction', 'Poetry', 'Plays', 'Honors and awards', 'Nobel Prize in Chemistry', 'Citations', 'Sources'], ['1970s', '1980s', '1990s', '2000s', '2010s', 'Logo', 'See also', 'Bibliography', 'Notes', 'References', 'Alternate future', 'Games', 'Mirror universe', 'Reboot (Kelvin Timeline) films', 'Development', 'Redesign for Star Trek: Planet of the Titans', "Captain's yacht", 'Reception and influence', 'See also', 'References', 'External boundaries', 'Water resources', 'Topography and natural regions', 'Hejaz', 'Tihamah', 'Najd', 'Northern Arabia', 'Cinema and photography', 'Sport', 'Clothing', 'Education', 'Science and research', 'Health', 'See also', 'References', 'Bibliography'], ['Name', 'Geography', 'Climate', 'History', 'Ancient History', 'Ancient Egypt', 'Achaemenid Persian Period', 'Roman and Byzantine Periods', 'Ayyubid Period', 'Mamluk and Ottoman Periods', 'Jian', 'Kirpan', 'Churika', 'Backsword and falchion', 'Single vs two-handed use', 'Two-handed', 'Hand and a half sword', 'In fiction', 'See also', 'References', 'Biography', 'Works', 'References', 'Further reading'], ['Falling block actions', 'Bolt actions', 'Other single-shot actions', 'Modern single-shots', 'Ruger', 'Browning', 'Cooper', 'Remington', 'New England Firearms (H&R)', 'Winchester', 'Splicing pathways', 'Spliceosomal complex', 'Introns', 'Formation and activity', 'Recursive splicing', 'Trans-splicing', 'Further reading'], ['Characteristics', 'Time dilation and length contraction', 'Mutual time dilation and the twin paradox', 'Mutual time dilation', 'Twin paradox', 'Gravitation', 'Basic mathematics of spacetime', 'Galilean transformations', 'Relativistic composition of velocities', 'Time dilation and length contraction revisited', 'Lorentz transformations', 'Method', 'Result', 'Applications', 'Statistical comparison', 'Individual statistics', 'Records Set', 'Starting lineups', 'Officials', 'Aftermath', 'Notable deaths from 1994 Chargers team', 'Notes', 'References', 'Awards', 'References'], [], ['History', 'Pre-Columbian period', 'Early career', 'After "Earth Angel"', 'Later years', 'Award', 'References'], ['Roads', 'Trunk roads', 'Regional roads'], ['Plain text vs. rich text', 'History', 'Family', 'Reign', 'End of Armarna period', 'Campaigns, monuments and construction', 'Health and death', 'Tomb', 'Rediscovery', 'Contents', 'Price', 'Names', 'Media', 'Research', 'Genetic engineering', 'References'], ['Further reading'], ['History', 'Family', 'Sword and tiger', 'Tipu Sultan Jayanti', 'In fiction', 'Image gallery', 'See also', 'References', 'Further reading'], ['Muslim-majority countries', 'Algeria', 'Bahrain', 'Palestine', 'Related offences', 'See also', 'Terms for traitors', 'References', 'Further reading'], ['Awards and nominations', 'References', 'Citations', 'Works cited'], ['Ratification', 'Pollock overruled', 'Necessity of amendment', 'Case law', 'The Brushaber case', 'The Kerbaugh-Empire Co. case', 'The Glenshaw Glass case', 'Income taxation of wages, etc.', 'The Penn Mutual case', 'The Murphy case', 'External trade', "Diversification of UAE's economy", 'Foreign trade', 'Human Resources and Employment', 'Investment', 'Outward investment', 'Inward investment', 'Corporate Governance Code', 'Banking', 'Real estate', 'Economic policy', 'Social policy', 'Foreign policy', 'Defence', 'Afghanistan', 'Strategic Defence and Security Review', 'Europe and NATO', 'Nuclear weapons', 'Health policy', 'Drug policies', 'See also', 'References'], ['Albums', 'Songs', 'People', 'Places', 'United States', 'Other places', 'Science', 'Ships', 'Technology', 'Other uses', 'Etymology', 'As a crime', 'Examples', 'Political', 'Motives']]



['Wikipedia: Plate tectonics', 'Wikipedia: Perception', 'Wikipedia: Religious conversion', 'Wikipedia: List of Roman emperors', 'Wikipedia: Rhotic consonant', 'Wikipedia: Seat', 'Wikipedia: Secularism', 'Wikipedia: History of Sudan', 'Wikipedia: Surface (topology)', 'Wikipedia: Sharable Content Object Reference Model', 'Wikipedia: Standard-gauge railway', 'Wikipedia: Super Bowl XXX', 'Wikipedia: Send In the Clowns', 'Wikipedia: Tenochtitlan', 'Wikipedia: Transposable element', 'Wikipedia: Telnet', 'Wikipedia: Type VII submarine', 'Wikipedia: Seventeenth Amendment to the United States Constitution', 'Wikipedia: Telecommunications in the United Arab Emirates', 'Wikipedia: Vitamin C']
[['Key principles', 'Types of plate boundaries', 'Driving forces of plate motion', 'Driving forces related to mantle dynamics', 'Plume tectonics', 'Incidents', 'Criticism', 'See also', 'References'], ['Example', 'Signing messages', 'Proofs of correctness', "Proof using Fermat's little theorem", "Proof using Euler's theorem", 'Padding', 'Attacks against plain RSA', 'Padding schemes', 'Security and practical considerations', 'Using the Chinese remainder algorithm', 'Abrahamic religions', "Bahá'í Faith", 'Christianity', 'Comparison between Protestants', 'Latter Day Saint movement', 'Islam', 'Calligraphic variants in the Latin alphabet', 'Ancestors and siblings in other alphabets', 'Abbreviations, signs and symbols', 'Physics', 'Chemistry', 'Encoding', 'Other representations', 'See also', 'References'], ['Sources'], ['Legitimacy', 'Senior officers', 'Centurions', 'Lower ranks', 'Special duty posts', 'Pay', 'Symbols', 'Discipline', 'Minor punishments', 'Major punishments', "Factors in the legion's success", 'Jewish Renewal', 'Humanistic Judaism', 'Women as "sofrot" (scribes)', 'See also', 'References'], ['Further reading', 'Orthodox Judaism and women', 'Other awards', 'References', 'Types', 'Life', 'Early life', 'Rise to fame', 'Final years', 'Writings', 'Science fiction', 'Recurring themes', 'Other writings', 'Essays', 'Views in later life'], ['Types of seat', 'Etymology'], ['Overview', 'History', 'Eastern Arabia', 'Great deserts', 'Caves', 'The environment and the Gulf War', 'Statistics', 'See also', 'References', 'Further reading', 'Prehistory', 'Nile Valley', 'Eastern Sudan', 'British control', 'Israeli invasions and occupation', '1979-82 Israeli withdrawal', 'Sinai peacekeeping zones', 'Early 21st century security issues', 'Demographics', 'Economy', 'See also', 'References', 'Further reading'], ['In general', 'Definitions and first examples', 'Technology', 'Versions', 'SCORM 1.1', 'SCORM 1.2', 'SCORM 2004', 'SCORM 2004 editions', 'Sharps', 'Barrett M99', 'Denel NTW-20', 'Steyr', 'See also', 'References'], ['tRNA splicing', 'Evolution', 'Biochemical mechanism', 'Alternative splicing', 'Splicing response to DNA damage', 'Experimental manipulation of splicing', 'Splicing errors and variation', 'Protein splicing', 'See also', 'Types', 'Gaseous solutions', 'Liquid solutions', 'Solid solutions', 'Solubility', 'Properties', 'Liquid', 'Preparation from constituent ingredients', 'See also', 'References', 'Deriving the Lorentz transformations', 'Linearity of the Lorentz transformations', 'Doppler effect', 'Longitudinal Doppler effect', 'Transverse Doppler effect', 'Energy and momentum', 'Extending momentum to four dimensions', 'Momentum of light', 'Mass-energy relationship', 'Four-momentum', 'See also', 'References'], ['Background', 'Dallas Cowboys', 'Pittsburgh Steelers', 'Playoffs', 'Notes and references', 'Meaning of title', 'Context', 'Spanish period', 'Mexican period', 'American period', 'Modern era', 'Geography', 'Cityscape', 'City neighborhoods', 'Climate', 'Demographics', '2010 census', 'Etymology', 'Geography', 'City plans', 'Marketplaces', 'Public buildings', 'International highways', 'Rail transport', 'Tanzania Railways', 'TAZARA Railway', 'Urban rail', 'Air transport', 'Airports', 'Airstrips', 'Maritime transport', 'Ports and harbours', 'Types of text editors', 'Typical features', 'Advanced features', 'Specialised editors', 'See also', 'Notes', 'References'], ['Rumored curse', 'Legacy', 'International exhibitions', 'Ancestry', 'See also', 'Notes', 'Citations', 'References', 'Further reading'], ['Discovery', 'Classification', 'Retrotransposon', 'DNA transposons', 'Autonomous and non-autonomous', 'Examples', '19th century', '20th century', '21st century', 'Geography', 'Climate', 'Cityscape', 'Neighborhoods and suburbs', 'Demographics', '2010 census', '2000 census', 'History and standards', 'Security', 'Telnet 5250', 'Telnet data', 'Conception and production', 'Types', 'Type VIIA', 'Number', 'Mechanism', 'Function', 'Basal transcription regulation', 'Differential enhancement of transcription', 'Development', 'Response to intercellular signals', 'Response to environment', 'See also', 'Notes'], ['Real-estate projects', 'Financial centers', 'See also', 'References', 'Notes'], ['Education and research', 'Family policy', 'Jobs and welfare policy', 'Energy and climate change policy', 'Justice and crime policy', 'European Union policy', 'Union policy', 'British constitution', 'Organisation', 'Party structure', 'Reactor designations', 'History', 'Power plants', 'Nuclear reactors in the United States Navy', 'See also', 'References'], ['See also', 'Biology', 'Significance', 'Reaction of authorities', 'Cybervandalism', 'Defacement', 'As art', 'Graphic design', 'See also', 'Notes', 'References', 'Bibliography'], []]



['Wikipedia: Richard Bachman', 'Wikipedia: Reciprocating engine', 'Wikipedia: Robert Herrick', 'Wikipedia: Scandinavian Peninsula', 'Wikipedia: Demographics of Saudi Arabia', 'Wikipedia: Spy fiction', 'Wikipedia: Simon the Sorcerer', 'Wikipedia: Simon Fraser University', 'Wikipedia: Security engineering', 'Wikipedia: Tennis court', 'Wikipedia: Totalitarianism', 'Wikipedia: USS Glenard P. Lipscomb (SSN-685)', 'Wikipedia: Vocoder']
[['Surge tectonics', 'Driving forces related to gravity', 'Driving forces related to Earth rotation', 'Relative significance of each driving force mechanism', 'Development of the theory', 'Summary', 'Continental drift', 'Floating continents, paleomagnetism, and seismicity zones', 'Mid-oceanic ridge spreading and convection', 'Magnetic striping', "Bruner's model of the perceptual process", "Saks and John's three components to perception", 'Multistable perception', 'Types of perception', 'Vision', 'Sound', 'Touch', 'Taste', 'Integer factorization and RSA problem', 'Faulty key generation', 'Importance of strong random number generation', 'Timing attacks', 'Adaptive chosen ciphertext attacks', 'Side-channel analysis attacks', 'Rainbow tables attacks', 'Implementations', 'See also', 'References', 'Judaism', 'Spiritism', 'Indian religions', 'Buddhism', 'Hinduism', 'Jainism', 'Sikhism', 'Other religions and sects', 'International law', 'See also', 'Origin', 'Identification', 'Post-outing', 'Emperors after 395', 'The Principate', '27 BC–68 AD: Julio-Claudian dynasty', '68–96: Year of the Four Emperors and Flavian dynasty', '96–192: Nerva–Antonine dynasty', '193–235: Year of the Five Emperors and Severan dynasty', '235–285: Crisis of the Third Century', 'The Dominate', '284–364: Tetrarchy and Constantinian dynasty', '364–395: Valentinian dynasty and Theodosius', 'See also', 'References', 'Citations', 'Bibliography'], ['All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages with short descriptions', 'Human name disambiguation pages', 'Short description is different from Wikidata', 'Characteristics', 'Variable rhoticity', 'English', 'Other Germanic languages', 'Astur-Leonese', 'Catalan', 'French', 'Indonesian and Malaysian Malay', 'Khmer', 'Portuguese', 'Relationship with American science fiction', 'SFWA', 'Philip K. Dick', 'Significance', 'Writing', 'Use in films', 'Use in education and philosophy', 'Other influence', 'Honors', 'Awards', 'Ergonomics', 'See also', 'References', 'State secularism', 'Secular society', 'Secular ethics', 'Secularism in late 20th century political philosophy', 'See also', 'References', 'Further reading'], ['Population', 'Structure', 'Population Age Distribution', 'Sex Ratios', 'Life Expectancy At Birth', 'Antiquity', 'Kingdom of Kush', 'Meroë', 'Medieval Nubia (c. 350–1500)', 'Islamic kingdoms (c. 1500–1821)', '19th century', 'Turkish Sudan', 'Mahdism and condominium', 'British control (1896–1955)', 'Post-colonial history (1956 to present)'], ['History', 'Nineteenth century', 'Extrinsically defined surfaces and embeddings', 'Construction from polygons', 'Connected sums', 'Closed surfaces', 'Classification of closed surfaces', 'Monoid structure', 'Surfaces with boundary', 'Riemann surfaces', 'Non-compact surfaces', 'Surfaces that are not even second-countable', 'SCORM 2004 specification books', 'Experience API (Tin Can API)', 'SCORM timeline', 'Compatible software', 'See also', 'References'], ['Plot', 'Gameplay', 'Development and release', 'Reception', 'References', 'Sources', 'References'], ['History', 'Qualifications', 'Related-fields', 'Methodologies', 'Conservation laws', 'Total momentum', 'Choice of reference frames', 'Energy and momentum conservation', 'Beyond the basics', 'Rapidity', '4‑vectors', 'Definition of 4-vectors', 'Properties of 4-vectors', 'Examples of 4-vectors', 'History', 'Origins', 'Adoption', 'Early railways by gauge', 'Non-standard gauge', 'Almost standard gauge', 'Standard gauge', 'Dual gauge', 'Modern almost standard gauge railways', 'Installations', 'Broadcasting', 'Entertainment', 'Pregame ceremonies', 'Halftime show', 'Game summary', 'First Quarter', 'Second Quarter', 'Third Quarter', 'Fourth Quarter', 'Aftermath', 'Score', 'History', 'Lyrics', 'Meter and key', 'Styles', 'Popular success', 'Chart history', 'Weekly charts', 'Year-end charts', 'Other versions', 'Economy', 'Top employers', 'Culture', 'Performing arts', 'Visual arts', 'Museums', 'Music', 'Film', 'Cuisine', 'LGBTQ', 'Palaces of Moctezuma II', 'Social classes', 'History', 'Invasion era', 'Colonial era', 'Ruins', 'See also', 'Footnotes', 'References', 'Further reading', 'Ferries', 'Merchant marine', 'Other modes', 'Pipeline transport', 'Skyline logging', 'See also', 'References'], ['Dimensions', 'Smaller courts', 'Surfaces', 'Clay courts', 'Grass courts', 'In politics', 'Early usage', 'Cold War', 'Negative effects', 'Mechanisms of mutagenesis', 'Diseases', 'Rate of transposition, induction and defense', 'Evolution', 'Applications', 'Genetic tool', 'Genetic engineering', 'Specific applications', 'De novo repeat identification', 'Crime', 'Economy', 'Glass industry', 'Automotive industry', 'Green industry', 'Arts and culture', 'Fine and performing arts', 'Music', 'In popular culture', 'Sports', 'Related RFCs', 'Internet Standards', 'Proposed Standards', 'Informational/experimental', 'Other RFCs', 'Telnet clients', 'See also', 'References'], ['Type VIIB', 'Type VIIC', 'Type VIIC/41', 'Type VIIC/42', 'Type VIID', 'Type VIIF', 'Specifications', 'Notes', 'References', 'Cell cycle control', 'Pathogenesis', 'Regulation', 'Synthesis', 'Nuclear localization', 'Activation', 'Accessibility of DNA-binding site', 'Availability of other cofactors/transcription factors', 'Interaction with methylated cytosine', 'Structure', 'Text', 'Background', 'Original composition', 'Issues', 'Calls for reform', 'Proposal and ratification', 'Proposal in Congress', 'Ratification by the states', 'Effect', 'Filling vacancies', 'Telephones', 'Radio and television', 'Internet', 'Internet censorship', 'Broadcast media censorship', 'See also', 'References', 'Membership', 'Prospective parliamentary candidates', 'Young Conservatives', 'Conferences', 'Funding', 'International organisations', 'Logo', 'Party factions', 'Traditionalist Conservatives', 'One-nation Conservatives', 'Design', 'Construction', 'Career', 'References'], ['Deficiency', 'Uses', 'Scurvy', 'Infection', 'Cancer', 'Cardiovascular disease', 'Brain function', 'Other diseases', 'Side effects', 'Diet', 'Theory', 'History', 'Applications']]



['Wikipedia: Robert A. Heinlein', 'Wikipedia: Rubidium', 'Wikipedia: Roberto Baggio', 'Wikipedia: Racketeer Influenced and Corrupt Organizations Act', 'Wikipedia: San Francisco Bay', 'Wikipedia: Silicon', 'Wikipedia: Sejm', 'Wikipedia: South African Republic', 'Wikipedia: Sodium laureth sulfate', 'Wikipedia: Sinhalese people', 'Wikipedia: Triassic', 'Wikipedia: Foreign relations of Tanzania', 'Wikipedia: Thomas Gray', 'Wikipedia: Trypsin', 'Wikipedia: The Star-Spangled Banner', 'Wikipedia: Three-age system', 'Wikipedia: Nineteenth Amendment to the United States Constitution', 'Wikipedia: Transport in the United Arab Emirates', 'Wikipedia: USS Triton']
[['Definition and refining of the theory', 'Plate Tectonics Revolution', 'Implications for biogeography', 'Plate reconstruction', 'Defining plate boundaries', 'Past plate motions', 'Formation and break-up of continents', 'Current plates', 'Other celestial bodies (planets, moons)', 'Venus', 'Smell', 'Social', 'Speech', 'Faces', 'Social touch', 'Multi-modal perception', 'Time (chronoception)', 'Agency', 'Familiarity', 'Sexual stimulation', 'Further reading'], ['Life', 'References', 'Further reading'], ['Bibliography', 'References', 'Early life', 'Western emperors', '395–455: Theodosian dynasty', '455–476: Last western emperors', 'Eastern emperors', '395–457: Theodosian dynasty', '457–518: Leonid dynasty', '518–602: Justinian dynasty', '610–695: Heraclian dynasty', "695–717: Twenty Years' Anarchy", '717–802: Isaurian dynasty', 'Common features in all types', 'History', 'Engine capacity', 'Power', 'Other modern non-internal combustion types', 'Reciprocating quantum heat engine', 'Miscellaneous engines', 'See also', 'Summary', 'State laws', 'RICO predicate offenses', 'Spanish', 'Thai', 'Turkish', 'Uyghur', 'Yaqui', 'Lacid', 'Kurdish', 'See also', 'References', 'Further reading', 'Recognition', 'Political views', 'Personal life', 'See also', 'Notes', 'References', 'Further reading'], ['Geography', 'Geology', 'People', 'Political development', 'See also', 'References', 'History', 'Discovery', 'Silicon semiconductors', 'Silicon Age', 'Characteristics', 'Density', 'Growth', 'Vital Statistics', 'UN estimates', 'Nationality and Ethnicity', 'Nationality', 'Ethnicity', 'Urbanization', 'Migration', 'People from other immigration jurisdictions', 'Independence and the First Civil War', 'The Nimeiry Era', 'Arms suppliers', 'Second Civil War', 'Islamisation', 'Recent history (2006 to present)', 'See also', 'Notes', 'References'], ['During the First World War', 'Inter-war period', 'Second World War', 'writers on World War II: 1939–1945', 'Cold War', 'Early', 'British', 'American', 'Later', 'Writers on Cold War era: 1945–1991', 'Proof', 'Surfaces in geometry', 'See also', 'Notes', 'References', 'Simplicial proofs of classification up to homeomorphism', 'Morse theoretic proofs of classification up to diffeomorphism', 'Other proofs'], ['History', 'Kingdom of Poland', 'Polish–Lithuanian Commonwealth', 'Partitions', 'Congress Poland', 'Germany and Austria-Hungary'], ['Name and etymology', 'History', 'Founding', 'Early activism', 'Coat of arms', 'The university today', 'Academics', 'Undergraduate', 'Graduate', 'Continuing education', 'Staff unions', 'Reputation', 'Web applications', 'Physical', 'Target hardening', 'See also', 'References', 'Further reading', 'Articles and papers', '4-vectors and physical law', 'Acceleration', 'Dewan–Beran–Bell spaceship paradox', 'Accelerated observer with horizon', 'Introduction to curved spacetime', 'Basic propositions', 'Curvature of time', 'Curvature of space', 'Sources of spacetime curvature', 'Energy-momentum', 'Non-rail use', 'See also', 'Notes', 'References', 'Bibliography'], ['Box score', 'Final statistics', 'Statistical comparison', 'Individual statistics', 'Records Set', 'Starting lineups', 'Officials', 'Popular culture', 'References', 'References'], ['Etymology', 'Old Sacramento', 'Chinatown', 'Sports', 'Parks and recreation', 'Government', 'State and Federal representation', 'Political history', 'Education', 'Higher education', 'Primary and secondary education'], ['Dating and subdivisions', 'Paleogeography', 'Bilateral relations', 'Africa', 'Americas', 'Asia', 'Europe', 'Hard courts', 'Carpet courts', 'Indoor courts', 'Terminology', 'See also', 'References'], ['Post-Cold War', 'In architecture', 'See also', 'References', 'Further reading'], ['Adaptive TEs', 'See also', 'Notes', 'References'], ['Parks and recreation', 'Education', 'Colleges and universities', 'Primary and secondary schools', 'Media', 'Infrastructure', 'Transportation', 'Major highways', 'Mass transit', 'Airports', 'Early history', "Francis Scott Key's lyrics", "John Stafford Smith's music", 'National anthem', 'Bibliography', 'Origin', 'The Metallic Ages of Hesiod', 'DNA-binding domain', 'Response elements', 'Clinical significance', 'Disorders', 'Potential drug targets', 'Role in evolution', 'Analysis', 'Classes', 'Mechanistic', 'Functional', 'First direct elections to the Senate', 'Court cases and interpretation controversies', 'Reform and repeal efforts', 'References', 'Bibliography'], [], ['Roads', 'List of motorways', 'Free-market Conservatives', 'Relationships between the factions', 'Electoral performance and campaigns', 'UK-wide elections', 'UK general elections', 'European Parliament elections', 'Police and Crime Commissioner elections', 'Devolved assembly elections', 'Scottish Parliament elections', 'Welsh Parliament elections', 'See also', 'Recommended levels', 'Food labeling', 'Sources', 'Plant sources', 'Animal sources', 'Food preparation', 'Supplements', 'Food fortification', 'Food additives', 'Pharmacology', 'Modern implementations', 'Linear prediction-based', 'Waveform-interpolative', 'Artistic effects', 'Uses in music', 'Voice effects in other arts', 'See also', 'References'], []]



['Wikipedia: Register', 'Wikipedia: Richard Hell', 'Wikipedia: Satire', 'Wikipedia: Politics of Saudi Arabia', 'Wikipedia: Geography of Sudan', 'Wikipedia: Stephen III', 'Wikipedia: Stow-on-the-Wold', 'Wikipedia: Super Bowl XXXI', 'Wikipedia: Thailand', 'Wikipedia: The Communist Manifesto', 'Wikipedia: Trine Hattestad', 'Wikipedia: USS Halibut', 'Wikipedia: Vlaardingen']
[['Mars', 'Icy satellites', 'Exoplanets', 'See also', 'References', 'Citations', 'Sources', 'Books', 'Articles'], ['Other senses', 'Reality', 'Physiology', 'Features', 'Constancy', 'Grouping (Gestalt)', 'Contrast effects', 'Theories', 'Perception as direct perception (Gibson)', 'Perception-in-action', 'Birth, childhood, and early education', 'Navy', 'Marriages', 'California', 'Author', 'Later life and death', 'Works', 'Series', 'Early work, 1939–1958', '1959–1960', 'Characteristics', 'Compounds', 'Isotopes', 'Occurrence', 'Production', 'History', 'Applications', 'Precautions and biological effects', 'References', 'Further reading', 'Club career', '1982–1985: Vicenza', '1985–1990: Fiorentina', '1990–1995: Juventus', '1995–1997: A.C. Milan', '1997–1998: Bologna', '1998–2000: Inter Milan', '2000–2004: Brescia', 'International career', 'Youth career and senior debut', '802–813: Nikephorian dynasty', '820–867: Amorian dynasty', '867–1056: Macedonian dynasty', '1059–1081: Doukid dynasty', '1081–1185: Komnenid dynasty', '1185–1204: Angelid dynasty', '1204–1261: Laskarid dynasty', '1261–1453: Palaiologan dynasty', 'See also', 'Notes', 'Notes'], ['Arts entertainment, and media', 'Application of RICO laws', 'Civil Provisions', 'Famous cases', 'Hells Angels Motorcycle Club', 'Latin Kings', 'Gil Dozier', 'Key West, Florida Police Department', 'Michael Milken', 'Major League Baseball', 'Los Angeles Police Department', 'Biography', 'Early life and career', 'The Neon Boys, Television and the Heartbreakers', 'Etymology and roots', 'Humour', 'Social and psychological functions', 'Classifications', 'Horatian, Juvenalian, Menippean', 'Size', 'Geology', 'History', 'Ecology', 'Pollution', 'Bay fill and depth profile', 'Transportation', 'Physical and atomic', 'Electrical', 'Crystal structure', 'Isotopes', 'Chemistry and compounds', 'Silicides', 'Silanes', 'Halides', 'Silica', 'Silicic acids', 'Religion', 'Languages', 'References'], ['Further reading', 'Land boundaries', 'Natural resources', 'Writers of other nationalities', 'Post–Cold War', 'Post–9/11', 'Insider spy fiction', 'Spy television and cinema', 'Cinema', 'Television', 'For children and adolescents', 'Video games and theme parks', 'Subgenres', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages with short descriptions', 'Human name disambiguation pages', 'Second Polish Republic', "Polish People's Republic", 'Third Polish Republic', 'Standing committees', 'Current standings', 'See also', 'Types of sejm', 'Notable sejms', 'References'], ['Establishment', 'British annexation', 'Independence', 'Constitution and laws', 'Religion', 'Citizenship', 'Racism', 'Language', 'Military history', 'War with Mapela and Makapaan, 1854', 'Research', 'Campuses', 'Burnaby campus', 'SFU Library, archives, museums and galleries', 'Residences', 'UniverCity', 'Surrey campus', 'Vancouver campus', 'Student life and athletics', 'Student life', 'History', 'Origins', 'Battle of Stow-on-the-Wold', 'Notable people', 'Governance', 'Stow Ward', 'Pressure and stress', 'Experimental test of the sources of spacetime curvature', 'Definitions: Active, passive, and inertial mass', 'Pressure as a gravitational source', 'Gravitomagnetism', 'Technical topics', 'Is spacetime really curved?', 'Asymptotic symmetries', 'Riemannian geometry', 'Curved manifolds', 'Production', 'Safety', 'Irritation', '1,4-Dioxane contamination', 'See also', 'References'], ['Background', 'New England Patriots', 'Green Bay Packers', 'Playoffs', 'History', 'Pre Anuradhapura period', 'Anuradhapura period', 'Polonnaruwa & Transitional period', 'Modern history', 'Society', 'Demographics', 'Sri Lanka', 'Diaspora', 'Language and literature', 'Media', 'Magazines', 'Newspapers', 'Radio', 'Television stations', 'Transportation', 'Roads and highways', 'Rail service', 'Airport', 'Other transportation options', 'Africa', 'Scandinavia', 'South America', 'Climate', 'Life', 'Flora', 'Plankton', 'Marine fauna', 'Terrestrial and freshwater fauna', 'Coal', 'Oceania', 'International organisation participation', 'Tanzania and the Commonwealth of Nations', 'See also', 'References', 'Synopsis', 'Background', 'Hungry Forties', 'Karl Marx and Freidrich Engels', 'Communist League', 'Writing', 'Early life and education', 'Writing and academia', 'Poems', '"Elegy" masterpiece', 'Forms', 'Death', 'Honours', 'Function', 'Mechanism', 'Properties', 'Isozymes', 'Clinical significance', 'Applications', 'In food', 'Trypsin inhibitor', 'Railroads at present', 'Railroads in the past', 'Interurbans', 'Healthcare', 'Utilities', 'Water', 'Notable people', 'Sister cities', 'See also', 'Notes', 'Modern history', 'Performances', '200th anniversary celebrations', 'Adaptations', 'Lyrics', 'Additional Civil War period lyrics', 'Alternative lyrics', 'References in film, television, literature', 'Customs and federal law', 'Translations', 'The Progress of Lucretius', 'Early lithic analysis by Michele Mercati', 'The usages of Mahudel and de Jussieu', 'The three-age system of C. J. Thomsen', 'Stone Age subdivisions', 'The savagery and civilization of Sir John Lubbock', 'The elusive Mesolithic of Hodder Westropp', 'Piette finds the Mesolithic', 'The Epipaleolithic and Protoneolithic of Stjerna and Obermaier', 'Lower, middle and upper from Haeckel to Sollas', 'Structural', 'See also', 'References', 'Further reading'], ['Text', 'Background', 'Early woman suffrage efforts (1776-1865)', 'Reconstruction Amendments and woman suffrage (1865-1877)', 'Post-Reconstruction (1878-1910)', 'African-American woman suffrage efforts', 'Proposal and ratification', 'Major accidents', 'Buses', 'Transport payment systems', 'Rail', 'Air', 'Airports', 'Airlines', 'Pipelines', 'Ports and harbors', 'Merchant marine', 'Northern Ireland devolved elections', 'London Mayoral elections', 'London Assembly elections', 'Combined authority elections', 'Associated groups', 'Ideological groups', 'Interest groups', 'Think tanks', 'Alliances', 'Party structures', 'All set index articles', 'Articles with short description', 'Set indices on ships', 'Short description is different from Wikidata', 'United States Navy ship names', 'Pharmacodynamics', 'Pharmacokinetics', 'Absorption', 'Transport', 'Excretion', 'Chemistry', 'Testing', 'Biosynthesis', 'Animal synthesis pathway', 'Plant pathways', 'Geography', 'History', 'Politics', 'Economy']]



['Wikipedia: Philips Videopac+ G7400', 'Wikipedia: Ruthenium', 'Wikipedia: Roman calendar', 'Wikipedia: San Francisco Peninsula', 'Wikipedia: Stephen II', 'Wikipedia: Stock exchange', 'Wikipedia: Saraswati River (disambiguation)', 'Wikipedia: Sierpiński carpet', 'Wikipedia: Titanic Thompson', 'Wikipedia: Taylor series', 'Wikipedia: Tuberculosis', 'Wikipedia: Toledo War', 'Wikipedia: United Arab Emirates Armed Forces', 'Wikipedia: Upper Peninsula of Michigan', 'Wikipedia: USS Tullibee']
[['Odyssey³', 'Specifications', 'See also', 'Evolutionary psychology (EP)', 'Closed-loop perception', 'Feature Integration Theory', 'Other theories of perception', 'Effects on perception', 'Effect of experience', 'Effect of motivation and expectation', 'See also', 'References', 'Citations', 'Middle period work, 1961–1973', 'Later work, 1980–1987', 'Posthumous publications', 'Influences', 'Views', 'Politics', 'Race', 'Individualism and self-determination', 'Sexual issues', 'Philosophy'], ['Characteristics', 'Physical properties', '1990 FIFA World Cup', '1994 FIFA World Cup', 'Post World Cup', '1998 FIFA World Cup', 'Later career', 'Player profile', 'Style of play', 'Reception', 'Legacy', 'Records and selected statistics', 'References'], ['History', 'Music', 'Periodicals', 'Australia', 'United Kingdom', 'United States', 'Other uses in arts, entertainment, and media', 'Documents, records and government', 'Linguistics', 'Maritime', 'Registry organizations', 'Mohawk Industries', 'Gambino crime family', 'Lucchese crime family', 'Bonanno crime family', 'Chicago Outfit', 'Michael Conahan and Mark Ciavarella', 'Scott W. Rothstein', 'AccessHealthSource', 'FIFA', 'Drummond Company', 'Richard Hell and the Voidoids', 'Dim Stars and other collaborations', 'Books', 'Films', 'Personal life', 'Discography', 'With The Heartbreakers', 'With Richard Hell and the Voidoids', 'As Richard Hell', 'With Dim Stars', 'Horatian', 'Juvenalian', 'Menippean', 'Satire versus teasing', 'Classifications by topics', 'Development', 'Ancient Egypt', 'Ancient Greece', 'Roman world', 'Medieval Islamic world', 'Recreation', 'Gallery', 'See also', 'References', 'Literature'], ['Silicate minerals', 'Other inorganic compounds', 'Organosilicon compounds', 'Silicone polymers', 'Occurrence', 'Production', 'Applications', 'Compounds', 'Alloys', 'Electronics', 'Constitution', 'National government', 'The King', 'Royal family', 'The influence of the ulama', 'Corruption', 'Reform', 'Politics outside of the royal family', 'Political participation', 'Land use', 'Environmental issues', 'Geographical regions', 'Soils', 'Climate', 'Extreme points', 'See also', 'References', 'Further reading', 'Notable writers', 'Deceased', 'Living', 'See also', 'Notes', 'References'], ['Short description is different from Wikidata', 'All article disambiguation pages', 'All disambiguation pages', 'Early history', 'Establishment of formal stock exchanges', 'Role of stock exchanges', 'Civil War, 1861–1864', 'Sekhukune War, 1876', 'First Boer War, 1880–1881', 'Malaboch War, 1894', 'Second Boer War, 1899–1902', 'Maritz Rebellion, 1914–1915', 'Economy and transport', 'Flag', 'See also', 'Footnotes', 'Greek organizations', 'Athletics', 'Governance and administration', 'Convocation', 'Board of governors', 'Senate', 'Chancellor', 'President and vice-chancellor', 'Alumni', 'Terry Fox', 'Gloucestershire County Council', 'Fairs', 'Civil war', 'Economy', 'Popular culture', 'Transport links', 'References'], ['Privileged character of 3+1 spacetime', 'See also', 'Notes', 'Additional details', 'References', 'Further reading'], ['All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Super Bowl pregame news and notes', 'Broadcasting', 'Entertainment', 'Pregame ceremonies', 'Halftime show', 'Game summary', 'First Quarter', 'Second Quarter', 'Third Quarter', 'Fourth Quarter', 'Religion', 'Genetics', 'Culture', 'Folklore and national mythology', 'Cuisine', 'Art and architecture', 'Music', 'Film and theatre', 'Performing arts', 'Martial arts', 'Notable people', 'International relations', 'See also', 'Notes', 'References'], ['Lagerstätten', 'Triassic–Jurassic extinction event', 'See also', 'Notes', 'References'], ['Etymology', 'Etymology of Siam', 'Etymology of "Thailand"', 'History', 'Prehistory', 'Early states and Sukhothai Kingdom', 'Ayutthaya Kingdom', 'Thonburi Kingdom', 'Publication', 'Initial publication and obscurity, 1848–1872', 'Rise, 1872–1917', 'Ubiquity, 1917–present', 'Analysis', 'Prose style', 'Materialist conception of history', 'Rise of the bourgeoisie', 'Proletarian revolution', 'Language and terminology', 'References', 'Further reading'], ['See also', 'References', 'Further reading'], ['References', 'Further reading'], ['Protests', '1968 Olympics Black Power salute', '2016 protests', 'NAACP call to remove the national anthem', 'Media', 'See also', 'References', 'Further reading'], ['Historical audio', 'Early and late from Worsaae through the three-stage African system', "Wallace's grand revolution recycled", "Vere Gordon Childe's revolution for the masses", 'The Pre-pottery Neolithic of Garstang and Kenyon at Jericho', 'Bronze Age subdivisions', 'The tripartite system of Sir John Evans', "From Evans' gratuitous Copper Age to the mythical chalcolithic", 'End of the Iron Age', 'Dating', 'Grand systems of layering', 'Career', 'Personal life', 'Competition record', 'References'], ['A new focus on a federal amendment', 'Woman suffrage and World War I patriotism', 'Final congressional challenges', 'Ratification', 'Ratification timeline', 'Legal challenges', 'Effects', "Women's voting behavior", 'Limitations', 'African-American women', 'See also', 'References'], ['See also', 'Notes', 'Further reading', 'Historiography'], ['All set index articles', 'Articles with short description', 'Set indices on ships', 'Short description is different from Wikidata', 'Evolution', 'Industrial production', 'History', 'Scurvy at sea', 'Discovery', 'Large doses', 'Society and culture', 'Pharmacopoeias', 'Notes', 'References', 'Attractions', 'Monuments', 'Events', 'Counts of Holland', 'Public thinking & Public Service', 'The Arts', 'Science & Business', 'Sport', 'Twin city', 'Gallery']]



['Wikipedia: Pong', 'Wikipedia: Pitch of brass instruments', 'Wikipedia: Radical feminism', 'Wikipedia: Rob Roy (cocktail)', 'Wikipedia: Demographics of Sudan', 'Wikipedia: Star height problem', 'Wikipedia: Surjective function', 'Wikipedia: Sling (weapon)', 'Wikipedia: Spaghetti code', 'Wikipedia: SimCity (1989 video game)', 'Wikipedia: Simpson Desert', 'Wikipedia: Third Council of the Lateran', 'Wikipedia: Thebaine', 'Wikipedia: Christian theosophy', 'Wikipedia: UEFA', 'Wikipedia: Vietnamese language', 'Wikipedia: Vilfredo Pareto']
[['References'], ['Gameplay', 'Sources', 'Bibliography'], ['Pay it forward', 'Influence and legacy', 'Honorifics', 'Writing style', 'Rules of writing', 'Influence among writers', 'Words and phrases coined', 'Inspiring culture and technology', 'Heinlein Society', 'In popular culture', 'Isotopes', 'Occurrence', 'Production', 'Chemical compounds', 'Oxides and chalcogenides', 'Halides and oxyhalides', 'Coordination and organometallic complexes', 'History', 'Applications', 'Catalysis', 'After retirement', 'Outside of professional football', 'Personal life', 'Philanthropy', 'Media and popular culture', 'Career statistics', 'Club', 'International', 'World Cup goals', 'Honours', 'Prehistoric lunar calendar', 'Legendary 10\xa0month calendar', 'Republican calendar', 'Flavian reform', 'Julian reform', 'Later reforms', 'Days', 'Weeks', 'Months', 'Intercalation', 'Other maritime uses', 'Technology', 'Computing and telecommunications', 'Other technologies', 'Other uses', 'See also', 'Connecticut Senator Len Fasano', 'LECHTER v. APRIO', 'International equivalents to RICO', 'See also', 'References', 'Further reading'], ['Bibliography', 'Filmography', 'References', 'Further reading'], ['Medieval Europe', 'Early modern western satire', 'Ancient and modern India', 'Age of Enlightenment', 'Satire in Victorian England', '20th-century satire', 'Contemporary satire', 'Techniques', 'Legal status', 'Australia', 'History', 'Geography and Transportation', 'Major highways', 'Environmental features', 'Notable structures', 'See also', 'References', 'Quantum Dots', 'Biological role', 'Human nutrition', 'Safety', 'See also', 'References', 'Bibliography'], ['Opposition to the royal family', 'Islamist terrorism', 'Arab Spring protests', 'Regional government', 'Municipal elections', 'Political reform', 'See also', 'References'], ['Population overview', 'Population statistics', 'Vital statisticsWorld Population Prospects: The 2010 Revision ==', 'Life expectancy at birth (only North Sudan)', 'Families of regular languages with unbounded star height', 'Computing the star height of regular languages', 'See also', 'References', 'Works cited', 'Further reading', 'Disambiguation pages with short descriptions', 'Human name disambiguation pages', 'Short description is different from Wikidata', 'Raising capital for businesses', 'Alternatives to stock exchanges for raising capital', 'Research and Development limited partnerships', 'Venture capital', 'Corporate partners', 'Mobilizing savings for investment', 'Facilitating acquisitions', 'Profit sharing', 'Corporate governance', 'Creating investment opportunities for small investors'], ['The sling in antiquity', 'Origins', 'Notable alumni', 'Honorary alumni', 'Rhodes Scholars', 'Appearances in popular culture', 'In film', 'In television', 'See also', 'References', 'Further reading'], ['Meaning', 'History', 'Related phrases', 'Ravioli code', 'Lasagna code', 'Gameplay', 'Scenarios', 'Development', 'Ports and versions', 'Super NES', 'Cancelled NES version', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'History', 'Box score', 'Final statistics', 'Statistical comparison', 'Individual statistics', 'Records Set', 'Starting lineups', 'Aftermath', 'Packers', 'Patriots', 'Officials', 'Science and education', 'Medicine', 'See also', 'References', 'Citations', 'Sources'], ['Construction', 'Properties', 'Brownian motion on the Sierpiński carpet', 'Wallis sieve', 'Applications', 'See also', 'References', 'Early life', 'Military service', 'Gambling style and favorite bets', 'Expert golfer', 'Marriages and family', 'Killings', 'Arnold Rothstein case', 'Modernisation and centralisation', 'Constitutional monarchy, World War II and Cold War', 'Contemporary history', 'Politics and government', 'Lèse majesté', 'Geography', 'Climate', 'Environment and wildlife', 'Administrative divisions', 'Foreign relations', 'Relevant and obsolete aspects', 'Sources', 'Legacy', 'Influences', 'References', 'Source text', 'Footnotes', 'Further reading'], ['Definition', 'Examples', 'History', 'Analytic functions', 'Approximation error and convergence', 'Generalization', 'List of Maclaurin series of some common functions', 'Exponential function', 'Natural logarithm', 'Geometric series', 'Signs and symptoms', 'Pulmonary', 'Extrapulmonary', 'Causes', 'Mycobacteria', 'Transmission', 'Risk of transmission', 'Risk factors', 'Active disease risk', 'Origins', 'Creation of the Toledo Strip', 'Economic significance', 'Prelude to conflict', 'War', 'Presidential intervention', 'Battle of Phillips Corners', 'Bloodshed in 1835', 'Frostbitten Convention and the end of the Toledo War', 'Subsequent history', 'Footnotes', 'Bibliography'], ['Measurement of chemical change', 'Other -liths and -lithics', 'Three-age system resumptive table', 'Criticism', 'Unsound epochalism', 'Simplisticism', 'Eurocentrism', 'See also', 'References', 'Bibliography', 'See also', 'References', 'Other minority groups', 'Other limitations', 'Legacy', 'League of Women Voters', 'Equal Rights Amendment', 'Commemorations', 'Popular culture', 'See also', 'Notes', 'References', 'History', 'Organization', 'Military branches', 'UAE Army', 'UAE Air Force', 'UAE Navy', 'UAE Presidential Guard', 'Paramilitary forces', 'Former Emirate forces', 'Deployments', 'History', 'Geography', 'Wildlife', 'Climate', 'Time zones', 'Government', 'Politics', 'Proposed statehood', 'United States Navy ship names', 'History and membership', 'Executive Committee'], ['Geographic distribution', 'Official status', 'See also', 'References'], []]



['Wikipedia: Pig', 'Wikipedia: Richard Matheson', 'Wikipedia: Rhombicuboctahedron', 'Wikipedia: Rob Roy', 'Wikipedia: Silicon Valley', 'Wikipedia: Sulfur (disambiguation)', 'Wikipedia: Economy of Saudi Arabia', 'Wikipedia: William Crookes', 'Wikipedia: Skírnir', 'Wikipedia: Steganography', 'Wikipedia: Super Bowl XXXII', 'Wikipedia: Spiel des Jahres', 'Wikipedia: Subspace', 'Wikipedia: The Shockwave Rider', 'Wikipedia: Trier', 'Wikipedia: Toledo Mud Hens', 'Wikipedia: The Third Culture', 'Wikipedia: Tachyon', 'Wikipedia: Eighteenth Amendment to the United States Constitution']
[['Development and history', 'Home version', 'Lawsuit from Magnavox', 'Impact and legacy', 'Sequels and remakes', 'In popular culture', 'See also', 'References', 'Further reading'], ['Range', 'Whole tube vs half tube', 'Horn', 'Modern bass trombone', 'Tuba', 'References', 'Honors', 'See also', 'References', 'Notes', 'Other sources', 'Critical', 'Biographical'], ['Biography and criticism', 'Bibliography and works', 'Homogeneous catalysis', 'Heterogeneous catalysis', 'Emerging applications', 'Applications of ruthenium thin films in microelectronics', 'Health effects', 'See also', 'References', 'Bibliography'], ['Individual', 'Orders', 'Notes', 'References', 'Bibliography'], ['Years', 'Conversion to Julian or Gregorian dates', 'See also', 'Notes', 'References', 'Citations', 'Bibliography'], ['Theory and ideology', 'Movement', 'Roots', 'Groups', 'Ideology emerges and diverges', 'Forms of action', 'Self-incrimination', 'Names', 'Geometric relations', 'Dissection', 'Orthogonal projections', 'Spherical tiling', 'Pyritohedral symmetry', 'See also', 'References', 'Censorship and criticism', 'Typical arguments', 'Bad taste', 'Targeting the victim', 'Romantic prejudice', 'History of opposition toward notable satires', '1599 book ban', '21st-century polemics', 'Satirical prophecy', 'Satire celebration', 'Origin of the term', 'History (pre-1970s)', 'Military technology roots', 'Biology', 'Geography', 'Other uses', 'See also', 'Economic overview', 'History', 'Foreign investment', 'Diversification and the development plans', 'Ethnic groups', 'Languages', 'Religion', 'Other demographic statistics', 'Population', 'Age structure', 'Median age', 'Birth rate', 'Death rate', 'Total fertility rate', 'Biography', 'Early years', 'Middle years', 'Definition', 'Examples', 'Properties', 'Surjections as right invertible functions', 'Surjections as epimorphisms', 'Surjections as binary relations', 'Cardinality of the domain of a surjection', 'Composition and decomposition', 'Induced surjection and induced bijection', 'See also', 'Government capital-raising for development projects', 'Barometer of the economy', 'Listing requirements', 'Examples of listing requirements', 'Ownership', 'Other types of exchanges', 'See also', 'Notes', 'References'], ['Archaeology', 'Ancient representations', 'Written history', 'Biblical accounts', 'Combat', 'Construction', 'Ammunition', '"Whistling" bullets', 'The sling in medieval period', 'Europe', 'Notes', 'References', 'Pizza code', 'Examples', 'See also', 'References'], ['Micropolis', 'Comparison of different versions', 'Reception', 'Legacy', 'See also', 'References'], ['Aboriginal history', 'Post-colonisation', 'Access', 'Visitor attraction', 'Climate', 'Ecology', 'Dunefields', 'Morphology', 'Sediment', 'See also', 'References'], ['Background', 'Award criteria', '2005 awards', '2006 awards', '2007 awards', '2008 awards', '2009 awards'], ['In mathematics', 'In science fiction', 'Origin of the nickname', 'Trevino vs. Floyd match', 'Later years', 'References', 'Armed forces', 'Education', 'Science and technology', 'Economy', 'Recent economic history', 'Income, poverty and wealth', 'Exports and manufacturing', 'Tourism', 'Agriculture and natural resources', 'Transportation', 'History', 'Geography', 'Neighbouring municipalities', 'Organization of city districts', 'Binomial series', 'Trigonometric functions', 'Hyperbolic functions', 'Calculation of Taylor series', 'First example', 'Second example', 'Third example', 'Taylor series as definitions', 'Taylor series in several variables', 'Example', 'Infection susceptibility', 'Pathogenesis', 'Diagnosis', 'Active tuberculosis', 'Latent tuberculosis', 'Prevention', 'Vaccines', 'Public health', 'Treatment', 'Latent', 'See also', 'References', 'Footnotes', 'Works cited', 'Further reading', 'Contents', 'References', 'Further reading'], ['Tachyons in relativity theory', 'Mass', 'Etymology and terminology', 'Historical development', 'Common characteristics', 'Legacy and reception', 'References', 'Notes', 'Citations', 'Citations', 'Bibliography'], ['Gulf War', 'United Nations Operation in Somalia II', 'Lebanon', 'War in Afghanistan (2001–present)', 'Saudi led intervention in Yemen', 'Armed equipment', 'Military Expansion', 'Military industry', 'Military expenditures', 'Gallery', 'Demographics', 'Economy', 'Industries', 'Notable attractions', 'Casinos', 'Transportation', 'Highways', 'Airports', 'Ferries and bridges', 'Railways', 'Members', 'Former members', 'Non-members', 'Competitions', 'UEFA continental competitions', 'World, Olympic, Intercontinental competitions', 'Club', 'Current title holders', 'Titles by nation', 'Sponsors', 'As a foreign language', 'Linguistic classification', 'Lexicon', 'Phonology', 'Vowels', 'Consonants', 'Tones', 'Language variation', 'Vocabulary', 'Grammar', 'Biography', 'From civil engineer to classical liberal economist', 'Economics and sociology', 'Personal life', 'Sociology', 'Fascism and power distribution', 'Economic concepts', 'Concepts', 'Major works', 'Works in English translation']]



['Wikipedia: Post office', 'Wikipedia: Russia', 'Wikipedia: Rhodium', 'Wikipedia: Revolver', 'Wikipedia: Rogue', 'Wikipedia: Scandium', 'Wikipedia: September 16', 'Wikipedia: Stephen Jay Gould', 'Wikipedia: Son of God', 'Wikipedia: Suprême sauce', 'Wikipedia: Sofonisba Anguissola', 'Wikipedia: Skycar', 'Wikipedia: Sierpiński triangle', 'Wikipedia: TECO (text editor)', 'Wikipedia: The Importance of Being Earnest', 'Wikipedia: THC (disambiguation)', 'Wikipedia: Foreign relations of the United Arab Emirates', 'Wikipedia: Voice analysis']
[['Name', 'History', 'Un-staffed postal facilities', 'Etymology', 'Description and behaviour', 'Distribution and evolution', 'Habitat and reproduction', 'Diet and foraging', 'Relationship with humans', 'Use in human healthcare', 'History', 'Early history', "Kievan Rus'", 'History', 'Characteristics', 'Chemical properties', 'Isotopes', 'Early life', 'Career', '1950s and 1960s', '1970s and 1980s', '1990s', '21st century', 'Sources of inspiration', 'History', 'Patents', 'Design', 'Loading and unloading', 'Front-loading cylinder', 'Circumventing the abortion ban', 'Leaving the church in groups', 'Protest in the courtroom and at the German Press Council', 'Genital self-exams', 'Social organization and aims', 'Views on the sex industry', 'Prostitution', 'Pornography', 'Radical lesbian feminism', 'Views on transgender topics', 'Algebraic properties', 'Cartesian coordinates', 'Area and volume', 'Close-packing density', 'In the arts', 'Objects', 'Related polyhedra', 'Symmetry mutations', 'Vertex arrangement', 'Rhombicuboctahedral graph', 'Places', 'Works related to Rob Roy MacGregor', 'Ships', 'Sports', 'Other uses', 'See also', 'Notes', 'References', 'Citations', 'Sources', 'Bibliography', 'Further reading', 'Theories/critical approaches to satire as a genre', 'The plot of satire'], ['Stanford University', 'Silicon transistors', 'Computer networking', 'Immigration reform', 'History (post-1970)', 'Computer chips', 'Homebrew Computer Club', 'Venture capital', 'Law firms', 'Software', 'Properties', 'Chemical characteristics', 'Isotopes', 'Occurrence', 'Future plans', 'Employment', 'Non-petroleum sector', 'Real estate', 'Private sector', 'Trade', 'Challenges', 'Income drop', 'Demographics', 'Education', 'Population growth rate', 'Contraceptive prevalence rate', 'Net migration rate', 'Dependency ratios', 'Urbanization', 'Religions', 'Life expectancy at birth', 'Nationality', 'Sex ratio', 'Literacy', 'Later years', 'Spiritualism', 'References', 'Further reading'], ['References', 'Further reading', 'Biography', 'Rulers and imperial titles', "Bahá'í Faith", 'Christianity', 'The Americas', 'Variants', 'Staff sling', 'Kestros', 'Siege engines', 'Today', 'See also', 'Footnotes', 'Further reading'], ['Recipes', 'See also', 'References', 'History', 'Techniques', 'Physical', 'Digital messages', 'Digital text', 'Hiding an image within a soundfile', 'Social steganography', 'Steganography in streaming media', 'Family', 'Childhood and training', 'Experiences as a female artist', 'At the Spanish Court', 'Personal life', 'Later years', 'References'], ['See also', 'Green Bay Packers', 'Denver Broncos', 'Playoffs', 'Super Bowl pregame news', 'Broadcasting', 'Entertainment', 'Pregame ceremonies', 'Halftime show', 'Game summary', 'First quarter', '2010 awards', '2011 awards', '2012 awards', '2013 awards', '2014 awards', '2015 awards', '2016 awards', '2017 awards', '2018 awards', '2019 awards', 'In games', 'Other uses', 'Constructions', 'Origin of the title', 'Plot introduction', 'Plot summary', 'Characters', 'Reception', 'Themes', 'The worm', 'References'], ['Energy', 'Informal economy', 'Demographics', 'Ethnic groups', 'Population centres', 'Language', 'Religion', 'Health', 'Culture', 'Art', 'Climate', 'Main sights', 'Museums', 'Education', 'Annual events', 'Transportation', 'Sports', 'Notable residents', 'International relations', 'Twinning', 'Comparison with Fourier series', 'See also', 'Notes', 'References'], ['New onset', 'Recurrent disease', 'Medication administration', 'Medication resistance', 'Prognosis', 'Epidemiology', 'At-risk groups', 'Geographical epidemiology', 'Russia', 'China', 'Background', 'History', 'Notable players', 'Season-by-season records', 'Roster', 'Popular culture', 'See also', 'References'], ['Composition', 'Productions', 'Speed', 'Neutrinos', 'Cherenkov radiation', 'Causality', 'Reinterpretation principle', 'Fundamental models', 'Fields with imaginary mass', 'Lorentz-violating theories', 'Fields with non-canonical kinetic term', 'History', 'Bibliography', 'Further reading'], ['Text', 'Background', 'The Temperance Movement', 'Proposal and ratification', 'The Volstead Act', 'Controversies', 'Calls for repeal', 'Impact', 'Bootlegging and organized crime', 'See also', 'See also', 'References', 'Further reading'], ['Bus systems', 'Education', 'Culture', 'Regional identity', 'Cuisine', 'Notable people', 'See also', 'Notes', 'References', 'Further reading', 'National team rankings', 'Major tournament records', 'FIFA World Cup', "FIFA Women's World Cup", 'Olympic Games For Men', 'Olympic Games For Women', 'UEFA European Championship', "UEFA Women's Championship", 'FIFA U-20 World Cup', "FIFA U-20 Women's World Cup", 'Dates and numbers writing formats', 'Writing systems', 'Computer support', 'History', 'Proto-Viet–Muong', 'Origin of the tones', 'Middle Vietnamese', 'Word play', 'Examples', 'See also', 'Articles', 'See also', 'References', 'Further reading', 'Primary sources'], []]



['Wikipedia: Reverse transcriptase', 'Wikipedia: Samuel Butler (poet)', 'Wikipedia: Politics of Sudan', 'Wikipedia: Stock car racing', 'Wikipedia: Zuppa alla modenese', 'Wikipedia: Silesian Voivodeship', 'Wikipedia: Turkish language', 'Wikipedia: Ton', 'Wikipedia: Transylvania', 'Wikipedia: The Starlost', 'Wikipedia: Tangent', 'Wikipedia: Twentieth Amendment to the United States Constitution', 'Wikipedia: Universal (metaphysics)']
[['Notable post offices', 'Operational', 'Former', 'Historic', 'See also', 'References'], ['Species', 'Domestication', 'In culture', 'Environmental impacts', 'Health issues', 'See also', 'References'], ['Grand Duchy of Moscow', 'Tsardom of Russia', 'Imperial Russia', 'February Revolution and Russian Republic', 'Soviet Russia and civil war', 'Soviet Union', 'World War II', 'Cold War', 'Post-Soviet Russia (1991–present)', 'Politics', 'Occurrence', 'Mining and price', 'Used nuclear fuels', 'Applications', 'Catalyst', 'Ornamental uses', 'Other uses', 'Precautions', 'See also', 'References', 'Personal life and death', 'Awards', 'Influence', 'Other writers', 'Directors', 'Works', 'Novels', 'Short stories', 'Short story collections', 'Films (for TV movies see Television below)', 'Fixed cylinder designs', 'Top-break cylinder', 'Tip-up cylinder', 'Swing-out cylinder', 'Other designs', 'Action', 'Single-action', 'Double-action', 'Other', '3D printed revolver', 'Reception', 'Criticism', 'See also', 'Notes', 'References', 'Parenthetical sources', 'Further reading'], ['See also', 'References', 'Further reading'], ['Companies', 'Media, arts, and entertainment', 'Comics', 'Film and television', 'Gaming', 'Literature', 'Music', 'Biography', 'Hudibras', 'Other writings', 'Internet age', 'Dot-com bubble', '21st century', 'Economy', 'Housing', 'Notable companies', 'U.S. Federal Government facilities', 'Demographics', 'Diversity', 'Schools', 'Production', 'Price', 'Compounds', 'Oxides and hydroxides', 'Halides and pseudohalides', 'Organic derivatives', 'Uncommon oxidation states', 'History', 'Red giant stars near the Galactic Center', 'Applications', 'Innovation', 'Bureaucracy', 'Corruption', 'Poverty', 'Housing', 'Further diversification', 'Private sector growth', 'Investment', 'Doing business', 'Companies', 'School life expectancy (primary to tertiary education)', 'Unemployment, youth ages 15-24', 'References', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['Marriage and family', 'First bout of cancer', 'Final illness and death', 'Scientific career', 'Punctuated equilibrium', 'Evolutionary developmental biology', 'Selectionism and sociobiology', 'Against Sociobiology', 'Spandrels and the Panglossian paradigm', 'Evolutionary progress', 'Islam', 'Judaism', "Gabriel's Revelation", 'Dead Sea Scrolls', 'Pseudepigrapha', 'Talmud', 'See also', 'References', 'Bibliography', 'History', 'Early years', 'Heyday', 'See also', 'References', 'Cyber-physical systems/Internet of Things', 'Printed', 'Using puzzles', 'Network', 'Additional terminology', 'Countermeasures and detection', 'Applications', 'Use in modern printers', 'Example from modern practice', 'Alleged use by intelligence services', 'Style', 'Historical significance', 'Crater', 'Recent exhibits', 'Notes', 'Bibliography', 'Further reading', 'Novels based on her life'], ['History', 'Geography', 'Demography', 'Second quarter', 'Third quarter', 'Fourth quarter', 'Post-game', 'Box score', 'Final statistics', 'Statistical comparison', 'Individual statistics', 'Records Set', 'Starting lineups', '2020 awards', 'Previous winners', 'Game of the year', "Connoisseurs' game of the year", "Children's game of the year", 'Special awards', 'See also', 'References'], ['Removing triangles', 'Shrinking and duplication', 'Chaos game', 'Arrowhead construction of Sierpinski gasket', 'Cellular automata', "Pascal's triangle", 'Towers of Hanoi', 'Sierpinski Tautology Map', 'Use of Collage Theorem', 'Sierpinski Gasket', 'Classification', 'History', 'Ottoman Turkish', 'Architecture', 'Literature', 'Music and dance', 'Entertainment', 'Cuisine', 'Units of measurement', 'Sports', 'Sporting venues', 'See also', 'Notes', 'Namesakes', 'References'], ['Description', 'Impact', 'History', 'OS/8 MUNG command', "As a programmer's tool", 'As a programming language', 'Example code', 'Example 1', 'Africa', 'India', 'North America', 'Western Europe', 'History', 'Society and culture', 'Names', 'Art and literature', 'Public health efforts', 'Stigma'], ['Etymology', 'History', 'Premiere', 'Critical reception', 'Revivals', 'Synopsis', "Act I: Algernon Moncrieff's flat in Half Moon Street, W", 'Act II: The Garden of the Manor House, Woolton', 'Act III: Morning-Room at the Manor House, Woolton', 'Characters', 'Themes', 'Triviality', 'In fiction', 'See also', 'References'], ['Arts, entertainment, and media', 'Enterprises and organizations', 'Science', 'Other uses', 'Notes', 'References'], ['Multilateral relations', 'Africa', 'Americas', 'Asia', 'Europe', 'Oceania', 'International disputes', 'Illicit drugs', 'See also'], ['Qualification of universals', 'Problem of universals', 'FIFA U-17 World Cup', "FIFA U-17 Women's World Cup", 'FIFA Futsal World Cup', 'FIFA Beach Soccer World Cup', 'Former tournaments', 'FIFA Confederations Cup', 'Sanctions', 'Against associations', 'Against clubs', 'Corruption and controversy', 'References', 'Bibliography', 'General', 'Sound system', 'Pragmatics', 'Historical and comparative', 'Orthography', 'Pedagogical'], ['Analysis methods', 'Use in medicine', 'Use in forensics', 'Forensic Voice', 'Speaker Identification', 'See also', 'References']]



['Wikipedia: PlayStation 3', 'Wikipedia: Packet radio', 'Wikipedia: Radium', 'Wikipedia: Ray tracing (graphics)', 'Wikipedia: Referential transparency', 'Wikipedia: List of science fiction and fantasy artists', 'Wikipedia: Selenium', 'Wikipedia: September 23', 'Wikipedia: SA', "Wikipedia: Soup all'Imperatrice", 'Wikipedia: Speed of light', 'Wikipedia: SameGame', 'Wikipedia: Super Bowl XXXIII', 'Wikipedia: Synthetic element', 'Wikipedia: History of Thailand', 'Wikipedia: Topological space', 'Wikipedia: Triangle', 'Wikipedia: Universal Postal Union', 'Wikipedia: Uruguay', 'Wikipedia: Vitamin', 'Wikipedia: VSE (operating system)']
[['History', 'Launch', 'Slim model', 'Super Slim model', 'Games', 'Stereoscopic 3D', 'Timeline', 'Aloha and PRNET', 'Amateur Packet Radio and the AMPRNet', 'Commercial systemsDeRose, James F. (1999). "The Wireless Data Handbook", pp.3-7. Wiley-Interscience; 4th edition. .', 'Technical Details', 'Governance', 'Foreign relations', 'Military', 'Political divisions', 'Geography', 'Topography', 'Climate', 'Biodiversity', 'Economy', 'Energy'], ['Bulk properties', 'Isotopes', 'Television', 'Nonfiction', 'Further reading', 'See also', 'References', 'Appearances: Films, TV & Documentaries'], ['Use with suppressors', 'Automatic revolvers', 'Revolving long guns', 'Rifles', 'Shotguns', 'Other weapons', 'Six gun', 'Notable brands and manufacturers', 'Gallery', 'See also', 'History', 'Algorithm overview', 'Calculate rays for rectangular viewport', 'Detailed description of ray tracing computer algorithm and its genesis', 'What happens in (simplified) nature', 'History', 'Function in viruses', 'Process of reverse transcription or retrotranscription', 'Retroviral reverse transcription', 'In cellular life', 'Structure', 'Replication fidelity', 'Template switching', 'Applications', 'Other uses', 'Places', 'Science and technology', 'See also', 'Quotations', 'Notes', 'References'], ['Municipalities', 'Higher education', 'Culture', 'Museums', 'Performing arts', 'Graphic Arts', 'Events', 'Media', 'Cultural references', 'See also', 'Health and safety', 'See also', 'References', 'Further reading'], ['Saudi ARAMCO', 'SABIC', "Ma'aden (company)", 'ICT Services', 'See also', 'References', 'Notes', 'Further reading'], ['History', 'Executive branch', 'Legislative branch', 'Political parties and elections', 'Judicial branch', 'Legal system', 'Administrative divisions', 'International organization participation', 'See also', 'References', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'References', 'Cultural evolution', 'Cladistics', 'Technical work on land snails', 'Influence', 'The Structure of Evolutionary Theory', 'As a public figure', 'The "Darwin Wars"', 'Cambrian fauna', 'Opposition to sociobiology and evolutionary psychology', 'The Mismeasure of Man', 'Arts, media and entertainment', 'Music', 'Other media', 'Language and writing', 'Types of cars', 'Street stock and pure stock', 'Super stock', 'Late models', 'United States', 'NASCAR', 'NASCAR Cup Series', 'NASCAR Xfinity Series', 'NASCAR Gander RV & Outdoors Truck Series', 'Other series', 'See also', 'References', 'Distributed steganography', 'Online challenge', 'See also', 'References', 'Sources'], ['History', 'Gameplay', 'Game mechanics', 'Gallery', 'Tourism', 'Cities and towns', 'Economy', 'Transport', 'Education', 'Politics', '2018 election', 'Administrative division', 'Protected areas', 'See also', 'Officials', 'References'], ['Properties', 'History', 'Technetium', 'Curium', 'Properties', 'Generalization to other moduli', 'Analogues in higher dimensions', 'History', 'Etymology', 'See also', 'References'], ['Language reform and modern Turkish', 'Geographic distribution', 'Official status', 'Dialects', 'Phonology', 'Consonants', 'Consonant devoicing', 'Vowels', 'Vowel harmony', 'Word-accent', 'References', 'Further reading'], ['Units of mass/weight', 'Other units of mass/weight', 'Subdivisions', 'Units of volume', 'Units of energy and power', 'Ton of TNT', 'Tonne of oil equivalent', 'Tonne of coal equivalent', 'Refrigeration', 'Informal tons', 'Example 2', 'Notes', 'References'], ['Research', 'Other animals', 'References'], ['Geography and ethnography', 'Administrative divisions', 'Cities', 'Population', 'Historical population', 'Current population', 'Economy', 'Culture', 'Religion', 'Tourist attractions', 'As a satire of society', 'Suggested homosexual subtext', 'Bunburying', 'Dramatic analysis', 'Use of language', 'Characterisation', 'Structure and genre', 'Publication', 'First edition', 'In translation', 'Premise', 'Development and production', 'Reception and impact', 'Episodes', 'Commercial releases', 'Cast', 'Notable guest stars', 'References'], ['History', 'Tangent line to a curve', 'Analytical approach', 'Intuitive description', 'More rigorous description', 'How the method can fail', 'Equations', 'Normal line to a curve', 'Angle between curves', 'Text', 'Historical background', 'Proposal and ratification', 'Effect of the amendment', 'References'], ['References'], ['History', 'Particular', 'Platonic realism', 'Nominalism', 'Ness-ity-hood principle', 'See also', 'Notes', 'References', 'Further reading'], ['See also', 'Resolutions', 'Financial fair play', 'UEFA coefficient', 'UEFA presidents', 'Related links', 'Notes', 'References'], ['List', 'Classification', 'Anti-vitamins', 'Biochemical functions'], ['Overview', 'User interfaces']]



['Wikipedia: Geography of Réunion', 'Wikipedia: Robert Freitas', 'Wikipedia: Riemann mapping theorem', 'Wikipedia: Stanford University', 'Wikipedia: Telecommunications in Saudi Arabia', 'Wikipedia: Economy of Sudan', 'Wikipedia: Sonny Bono', 'Wikipedia: Skíðblaðnir', 'Wikipedia: Soup alla Canavese', 'Wikipedia: SECD machine', 'Wikipedia: Siberia', 'Wikipedia: Talk (software)', 'Wikipedia: Tora Bora', 'Wikipedia: University of Manchester Institute of Science and Technology', 'Wikipedia: Coins of the United States dollar']
[['Hardware', 'Use in supercomputing', 'Technical specifications', 'Models', 'Controllers and accessories', 'Statistics regarding reliability', 'Software', 'System software', 'Graphical user interface', 'Digital rights management', 'Voice not Data', 'Asynchronous framing', 'Sharing the channel', 'Station configuration', 'Physical layer: modem and radio channel', 'High-speed multimedia radio', 'Data link layer: AX.25', 'Network layer', 'See also', 'References', 'External trade and investment', 'Agriculture', 'Transport', 'Science and technology', 'Space exploration', 'Water supply and sanitation', 'Corruption', 'Demographics', 'Largest cities', 'Ethnic groups', 'Chemistry', 'Compounds', 'Occurrence', 'History', 'Historical applications', 'Luminescent paint', 'Commercial use', 'Medical use', 'Production', 'Modern applications', 'Climate', 'Natural resources', 'Natural hazards'], ['References'], ['Career', 'Ray casting algorithm', 'Recursive ray tracing algorithm', 'Advantages over other rendering methods', 'Disadvantages', 'Reversed direction of traversal of scene by the rays', 'Example', 'Adaptive depth control', 'Bounding volumes', 'Interactive ray tracing', 'Computational complexity', 'Antiviral drugs', 'Molecular biology', 'See also', 'References'], ['History', 'Examples and counterexamples', 'Contrast to imperative programming', 'Another example', 'See also', 'References'], ['A', 'B', 'C', 'D', 'E', 'F', 'G', 'H', 'I', 'References', 'Further reading', 'Books', 'Journals and newspapers', 'Audiovisual'], ['Characteristics', 'Physical properties', 'Optical properties', 'Isotopes', 'Chemical compounds', 'Chalcogen compounds', 'Halogen compounds', 'Selenides', 'History', 'Telephones', 'Radio', 'Television'], ['History since independence', 'Infrastructure'], ['Early life', 'Career', 'Non-overlapping magisteria', 'Publications', 'Articles', 'Books', 'Notes and references'], ['Businesses and organizations', 'Military and paramilitary', 'Political organisations', 'Other businesses and organizations', 'Places', 'Science, technology, and mathematics', 'Biology and medicine', 'Computing and telecommunications', 'Other uses in science, technology, and mathematics', 'Other uses', 'New Zealand', 'Australia', 'United Kingdom', 'Other regions', 'Career paths', 'Crossover drivers', 'Tracks', 'Tactics', 'See also', 'References', 'See also', 'References'], ['Numerical value, notation, and units', 'Fundamental role in physics', 'Upper limit on speeds', 'Faster-than-light observations and experiments', 'Propagation of light', 'In a medium', 'Explanation for slowing of light', 'Variations', 'Rules variations', 'Scoring', 'Goal-based scoring', 'Visuals', 'Versions', 'References'], ['References'], ["Landin's contribution", 'Background', 'Denver Broncos', 'Atlanta Falcons', 'Playoffs', 'Super Bowl pregame news', 'Broadcasting', 'Counterprogramming', 'Entertainment', 'Pregame ceremonies', 'Halftime show', 'Eight others', 'Rutherfordium and dubnium', 'The last thirteen', 'List of synthetic elements', 'Other elements usually produced through synthesis', 'References'], ['Etymology', 'Prehistory', 'History', 'Geography', 'Mountain ranges', 'Syntax', 'Sentence groups', 'Negation', 'Yes/no questions', 'Word order', 'Immediately preverbal', 'Postpredicate', 'Topic', 'Grammar', 'Nouns', 'Prehistory', 'Initial states and Indianized states', 'Central Thailand', 'Southern Thailand', 'Northern Thailand', 'Arrival of the Tais', 'Sukhothai Kingdom (1238–1438)', 'Ayutthaya period (1351–1767)', 'Burmese wars', 'Thonburi and Early Rattanakosin period (1768–1851)', 'See also', 'References', 'History', 'History', 'Definitions', 'Definition via neighbourhoods', 'Definition via open sets', 'Examples', 'Definition via closed sets', 'Other definitions', 'Comparison of topologies', 'Continuous functions', 'By lengths of sides', 'By internal angles', 'Basic facts', 'Similarity and congruence', 'Right triangles', 'Existence of a triangle', 'Condition on the sides', 'Conditions on the angles', 'Trigonometric conditions', 'Festivals and events', 'Film festivals', 'Music festivals', 'Others', 'Historical coat of arms of Transylvania', 'In popular culture', 'See also', 'Notes', 'References', 'Sources', 'Adaptations', 'Film', 'Operas and musicals', 'Stage pastiche', 'Radio and television', 'Commercial recordings', 'Notes', 'References', 'Sources'], ['Geology', 'Military base', 'See also', 'Multiple tangents at a point', 'Tangent circles', 'Surfaces and higher-dimensional manifolds', 'See also', 'References', 'Sources'], ['History', 'Before the Postal Union', 'General Postal Union', 'Universal Postal Union', 'Terminal dues', 'Origin', 'Modifications', 'Early colonization', 'Independence struggle', '19th century', '20th century', 'Civic-military regime', 'Return to democracy (1984–present)', 'Geography', 'Climate', 'Government', 'Administrative divisions', "Manchester Mechanics' Institute (1824–1882)", 'The Tech (1883–1917)', 'Establishment as a university (1918–1994)', 'Student life', 'Current coinage', 'Coins in circulation', 'Remarks', 'Bullion coins', 'On fetal growth and childhood development', 'On adult health maintenance', 'Intake', 'Sources', 'Deficient intake', 'Excess intake', 'Effects of cooking', 'Recommended levels', 'Supplementation', 'Governmental regulation', 'Job Control Language (JCL)', 'Beyond batch', 'Device support', 'Older z/VSE versions', 'See also', 'References'], []]



['Wikipedia: Pizza cheese', 'Wikipedia: Demographics of Réunion', 'Wikipedia: Robert Morris', 'Wikipedia: Ron Carter', 'Wikipedia: Reaganomics', 'Wikipedia: Transport in Saudi Arabia', 'Wikipedia: Saint Boniface', 'Wikipedia: Secondary conversion', 'Wikipedia: Solar wind', 'Wikipedia: Sather', 'Wikipedia: Shoghi Effendi', 'Wikipedia: Sex Pistols', 'Wikipedia: Theodore Judah', 'Wikipedia: Analogy of the divided line', 'Wikipedia: Taiga', 'Wikipedia: Stonewall Jackson', 'Wikipedia: Unified Team at the Olympics', 'Wikipedia: Villanelle']
[['Photo management', 'Video services', 'OtherOS support', 'Leap year bug', 'Features', 'PlayStation Portable connectivity', 'PlayStation Network', 'PlayStation Plus', 'PlayStation Store', "What's New", 'Further reading'], ['Varieties and types', 'Language', 'Religion', 'Health', 'Education', 'Culture', 'Folk culture and cuisine', 'Architecture', 'Visual arts', 'Music and dance', 'Literature and philosophy', 'Hazards', 'See also', 'Notes', 'References', 'Bibliography', 'Further reading'], ['Population', 'Structure of the population  ===', 'Historical population', 'Vital statisticshttp://unstats.un.org/unsd/demographic/products/dyb/dyb2.htm#2001 United nations. Demographic Yearbooks==', 'Life expectancy', 'Bibliography', 'See also', 'References'], ['See also', 'References'], ['History', 'Importance', 'Proof via normal families', 'Sketch proof via Dirichlet problem', 'Uniformization theorem', 'Smooth Riemann mapping theorem', 'Algorithms', 'See also', 'Historical context', 'Justifications', 'Policies', 'Results', 'Overview', 'J', 'K', 'L', 'M', 'N', 'O', 'P', 'R', 'S', 'T', 'History', 'Land', 'Central campus', 'Non-central campus', 'Faculty residences', 'Other uses', 'Landmarks', 'Other compounds', 'Organoselenium compounds', 'History', 'Occurrence', 'Production', 'Applications', 'Fertilizers', 'Manganese electrolysis', 'Glass production', 'Alloys', 'ISPs', 'Broadband Internet access', 'See also', 'References', 'Retailing', 'Railways', 'Tourism', 'Agriculture', 'Industry', 'Electricity generation', 'Petroleum', 'Gold', 'Embargos and sanctions', 'Macro-economic trend', 'Entertainment career', 'Film and television', 'Political career', 'Personal life', 'Marriages', 'Godparent', 'Salton Sea', 'Religion', 'Death', 'Honors and tributes', 'Attestations', 'See also', 'Notes', 'References', 'See also', 'Early life and first mission to Frisia', 'Early missionary work in Frisia and Germania'], ['See also', 'References', 'History', 'Acceleration', 'Properties and structure', 'Fast and slow solar wind', 'Pressure', 'Coronal mass ejection', 'Practical effects of finiteness', 'Small scales', 'Large distances on Earth', 'Spaceflights and astronomy', 'Distance measurement', 'High-frequency trading', 'Measurement', 'Astronomical measurements', 'Astronomical unit', 'Time of flight techniques', 'Hello World', 'Example of iterators', 'References'], ['Informal description', 'Registers and memory', 'Instructions', 'See also', 'References', 'Further reading'], ['Game summary', 'First Quarter', 'Second Quarter', 'Third Quarter', 'Fourth Quarter', 'Box score', 'Final statistics', 'Statistical comparison', 'Individual statistics', 'Records Set', 'Background', "Tablet from ʻAbdu'l-Bahá", 'Education', "Death of ʻAbdu'l-Bahá and Guardianship", 'Accomplishments', 'Translations and writings', 'Geomorphological regions', 'Lakes and rivers', 'Grasslands', 'Geology', 'Climate', 'Global warming', 'Fauna', 'Birds', 'Order Galliformes', 'Family Tetraonidae', 'Personal pronouns', 'Noun phrases (tamlama)', 'Adjectives', 'Verbs', 'Verb tenses', 'Attributive verbs (participles)', 'Vocabulary', 'Word formation', 'Writing system', 'Sample', 'Unification under Taksin', 'Restoration under Rama I', 'Maintaining the status quo under Rama II and Rama III', 'Modernization under Rama IV and Rama V (1851–1910)', 'Western colonialism and cessation of protectorates', 'Nation formation under Vajiravudh and Prajadhipok (1910–1932)', 'World War I', 'Early years of constitutional monarchy (1932–1945)', 'Revolution and difficult compromise', "Khana Ratsadon's rise", 'Security', 'See also', 'References', 'Examples of topological spaces', 'Metric spaces', 'Proximity spaces', 'Uniform spaces', 'Function spaces', 'Cauchy spaces', 'Convergence spaces', 'Grothendieck sites', 'Other spaces', 'Topological constructions', 'Points, lines, and circles associated with a triangle', 'Computing the sides and angles', 'Trigonometric ratios in right triangles', 'Sine, cosine and tangent', 'Inverse functions', 'Sine, cosine and tangent rules', 'Solution of triangles', 'Computing the area of a triangle', 'Using trigonometry', "Using Heron's formula", 'Further reading'], ['Early life and education', 'Description', 'The visible world', 'The intelligible world', 'References'], ['Climate and geography', 'Ancestry', 'Early life', 'Early childhood', "Working and teaching at Jackson's Mill", 'Brother against sister', 'Early military career', 'Shifting balances and the United States', '2019 Extraordinary Congress', 'Standards', 'Member countries', 'Observers', 'States with limited recognition', 'Congresses', 'Philatelic activities', 'Electronic telecommunication', 'See also', 'Foreign relations', 'Military', 'Economy', 'Agriculture', 'Tourism', 'Transportation', 'Telecommunications', 'Green energy supply', 'Demographics', 'Largest cities', 'Achievements and evolution', 'The end of UMIST, 2004', 'Alumni groups', 'UMIST Campus', 'See also'], ['Notes and references', 'Bibliography', 'Commemorative coins', 'Obsolete and canceled coins', 'Mill coins', 'See also', 'References'], ['Naming', 'History', '"Vitamine" to vitamin', 'Nobel Prizes for vitamin research', 'History of promotional marketing', 'Etymology', 'See also', 'References'], ['Etymology', 'History', 'Form', 'Effect', 'Examples', 'See also']]



['Wikipedia: Rhenium', 'Wikipedia: Politics of Réunion', 'Wikipedia: Rhodesia', 'Wikipedia: Saxophone', 'Wikipedia: Telecommunications in Sudan', 'Wikipedia: Single market', 'Wikipedia: Sleipnir', 'Wikipedia: Sociology of religion', 'Wikipedia: Serotonin', 'Wikipedia: Stratego', 'Wikipedia: Super Bowl XXXIV', 'Wikipedia: Themistocles', 'Wikipedia: Uralic languages', 'Wikipedia: United Nations Convention to Combat Desertification', 'Wikipedia: Viroid', 'Wikipedia: Victor Borge']
[['PlayStation Home', 'Life with PlayStation', 'Outage', 'Sales and production costs', 'Critical reception', 'Original model', 'Slim model and rebranding', 'Notes', 'References'], ['Processed pizza cheeses', 'Research and development', 'Production and business', 'Use by region', 'See also', 'Notes', 'References', 'Further reading'], ['Cinema, animation and media', 'Sports', 'National holidays and symbols', 'Tourism', 'See also', 'Notes', 'References'], ['History', 'Characteristics', 'Isotopes', 'Compounds', 'Halides and oxyhalides', 'Oxides and sulfides', 'Religion', 'Language', 'Ethnic groups', 'Genetics', 'References'], ['Politics', 'Authors, artists, and entertainers', 'Sports', 'Universities', 'Others', 'See also', 'Early life', 'Career', '1960s–1980s', '1990s–2000s', '2010s and later', 'Discography', 'Filmography', 'References'], ['Notes', 'References'], ['Employment and wages', 'Growth rates', 'GDP growth', 'Income and wealth', 'Poverty level', 'Federal income tax and payroll tax levels', 'Tax receipts', 'Debt and government expenditures', 'Business and market performance', 'Size of federal government', 'V', 'W', 'Y', 'Z', 'See also', 'References', 'Administration and organization', 'Endowment and donations', 'Academics', 'Teaching and learning', 'Research centers and institutes', 'Libraries and digital resources', 'Arts', 'Reputation and rankings', 'Discoveries and innovation', 'Natural sciences', 'Lithium–selenium batteries', 'Solar cells', 'Photoconductors', 'Rectifiers', 'Other uses', 'Pollution', 'Biological role', 'Evolution in biology', 'Nutritional sources of selenium', 'Indicator plant species', 'History and overview', 'Road network', 'Rail network', 'Air transport', 'Ports and waterways', 'Public transit systems', 'Road transportation', 'Highway network', 'Rail transportation', 'Economic assistance', 'See also', 'References'], ['See also', 'References', 'Notes', 'Citations', 'Further reading'], ['Attestations', 'Poetic Edda', 'Prose Edda', 'Hervarar saga ok Heiðreks', 'Völsunga saga', 'Gesta Danorum', 'Boniface and the Carolingians', 'Last mission to Frisia', 'Veneration', 'Fulda', 'Dokkum', 'Memorials', 'Legends', 'Sources and writings', 'Vitae', 'Correspondence', 'View of religion in classical sociology', 'Karl Marx', 'Émile Durkheim', 'Solar System effects', 'Magnetospheres', 'Atmospheres', 'Moons and planetary surfaces', 'Outer limits', 'Notable events', 'See also', 'References', 'Further reading'], ['Electromagnetic constants', 'Cavity resonance', 'Interferometry', 'History', 'Early history', 'First measurement attempts', 'Connections with electromagnetism', '"Luminiferous aether"', 'Special relativity', 'Increased accuracy of c and redefinition of the metre and second', 'Perception of resource availability', 'Cellular effects', 'Receptors', 'Termination', 'Name and trademark', 'The contents of the game', 'Setup', 'Gameplay', 'Rules of movement', 'Recording the game', 'Starting lineups', 'Officials', 'References'], ['Leadership', 'Private life', 'Marriage', 'Opposition', 'Unexpected death', 'Ministry of the Custodians', 'Election of the Universal House of Justice', 'See also', 'Notes', 'References', 'Family Phasianidae', 'Mammals', 'Order Artiodactyla', 'Order Carnivora', 'Family Canidae', 'Family Felidae', 'Family Mustelidae', 'Family Ursidae', 'Flora', 'Politics', 'Whistled language', 'Turkish computer keyboard', 'See also', 'Notes', 'References', 'Sources', 'Further reading'], ['Dictatorship of Phibunsongkhram', 'World War II', 'Cold War period', 'Allied occupation of Thailand (1946)', 'Democratic elections and the return of the military', 'Thailand during the Indochina wars and communist insurgency', 'The 1973 democracy movement', 'Democratisation and setbacks', 'Political conflicts since 2001', 'Thaksin Shinawatra period', 'History', 'Origins and early days', 'John Lydon joins the band', 'Building a following', 'EMI and the Grundy incident', 'Sid Vicious joins the band', '"God Save the Queen"', "Never Mind the Bollocks, Here's the Sex Pistols", 'US tour and the end of the band', 'After the break-up', 'Classification of topological spaces', 'Topological spaces with algebraic structure', 'Topological spaces with order structure', 'See also', 'Notes', 'References'], ['Using vectors', 'Using coordinates', 'Using line integrals', "Formulas resembling Heron's formula", "Using Pick's theorem", 'Other area formulas', 'Upper bound on the area', 'Bisecting the area', 'Further formulas for general Euclidean triangles', 'Medians, angle bisectors, perpendicular side bisectors, and altitudes', 'Career', 'Central Pacific Railroad (CPRR)', 'Death', 'Legacy and honors', 'See also', 'References', 'Bibliography'], ['Tabular summary of the divided line', 'Metaphysical importance', 'Epistemological meaning', 'See also', 'Notes'], ['Soils', 'Flora', 'Fauna', 'Fire', 'Threats', 'Human activities', 'Climate change', 'Insects', 'Pollution', 'Protection', 'West Point', 'U.S. Army and the Mexican War', 'Lexington and the Virginia Military Institute', 'Slavery', 'Marriages and family life', 'John Brown raid aftermath', 'Civil War', 'First Battle of Bull Run', 'Valley Campaign', 'Peninsula', 'Notes', 'References', 'Sources'], ['Health', 'Religion', 'Language', 'Education', 'Culture', 'Visual arts', 'Music', 'Literature', 'Media', 'Sport', 'States Parties', 'Secretariat', 'Conference of the Parties', 'List of COP===', 'Committee on Science and Technology (CST)', 'Participating countries', 'Timeline of participation', 'Medal tables', 'Medals by games', 'Medals by summer sport', 'Medals by winter sport', 'Flag bearers', 'Taxonomy', 'Transmission', 'Replication', 'RNA silencing', 'Notes', 'References', 'Further reading'], []]



['Wikipedia: Pelé', 'Wikipedia: Peggy Lee', 'Wikipedia: Rational choice theory', 'Wikipedia: Reykjavík', 'Wikipedia: Radian', 'Wikipedia: Walter Scott', 'Wikipedia: Spoonerism', 'Wikipedia: Slope', 'Wikipedia: The Thin Blue Line (disambiguation)', 'Wikipedia: The Shining (novel)', 'Wikipedia: Talking Heads', 'Wikipedia: Towpath', 'Wikipedia: Type II submarine', 'Wikipedia: History of Uruguay', 'Wikipedia: Uniramia', 'Wikipedia: Uniform continuity', 'Wikipedia: Vladimir Vernadsky']
[['Official websites', 'Auxiliary sites by Sony', 'Directories', 'Early life', 'Recording career', 'Acting career', 'Personal life', 'Actions, assumptions, and individual preferences', 'Formal statement', 'Additional assumptions', 'Utility maximization', 'Criticism', 'Other compounds', 'Organorhenium compounds', 'Nonahydridorhenate', 'Occurrence', 'Production', 'Applications', 'Alloys', 'Catalysts', 'Other uses', 'Precautions', 'Executive Branch', 'Legislative Branch', 'Composition', 'Deputies', 'Senators', 'European Parliament', 'Judicial branch', 'History', 'Rise of nationalism', 'World War II', 'Post-war development', 'Geography', 'Climate', 'Definition', 'History', 'Unit symbol', 'Conversions', 'Name', 'History', 'Background', 'Impact of UDI', 'The Bush War', 'End of the Bush War', 'Late 1970s', 'Intensification of the Bush War', 'End of UDI (1979)', 'Republic of Zimbabwe (1980)', 'Income distribution', 'Analysis', 'See also', 'Footnotes', 'References', 'Further reading'], ['Description', 'Pitch and range', 'Design features', 'Materials', 'Surface finishes', 'Mouthpiece and reed', 'History', 'Computer and applied sciences', 'Businesses and entrepreneurship', 'Student life', 'Student body', 'Dormitories and student housing', 'Athletics', 'Traditions', 'Religious life', 'Greek life', 'Student groups', 'Detection in biological fluids', 'Toxicity', 'Deficiency', 'Health effects', 'See also', 'Notes', 'References'], ['Air transportation', 'Water transportation', 'Ports', 'Economic impact', 'See also'], ['References', 'Pre-privatization era (up to 1994)', 'Privatization era (1994 and beyond)', 'Evolution of the telecommunication sector (1994 to September 2006)', 'Telephones', 'Internet', 'Internet censorship and surveillance', 'Information society and universal service support', 'Blockage of Internet Service', 'Radio and television', 'Integration phases', 'Benefits and costs', 'List of common markets', 'Proposed', 'Unified market', 'List of Countries with Unified Markets', 'Footnotes', 'Archaeological record', 'Theories', 'Modern influence', 'See also', 'Notes', 'References', 'Sermons', 'Grammar and poetry', 'Additional materials', 'Anniversary and other celebrations', 'Celebrations in Germany: 1805, 1855, 1905', '1954 celebrations', '1980 papal visit', '2004 celebrations', 'Scholarship on Boniface', 'See also', 'Max Weber', 'Theoretical perspectives', 'Symbolic anthropology and phenomenology', 'Functionalism', 'Rationalism', 'Typology of religious groups', 'Religiosity', 'Secularization and civil religion', 'Religious economy', 'Peter Berger', 'Etymology', 'Examples', 'Popular use', 'Defining the speed of light as an explicit constant', 'See also', 'Notes', 'References', 'Further reading', 'Historical references', 'Modern references'], ['Serotonylation', 'Nervous system', 'Ultrastructure and function', 'Microanatomy', 'Psychological influences', 'Serotonin and its role in autism spectrum disorder (ASD)', 'Outside the nervous system', 'In the digestive tract (emetic)', 'Bone metabolism', 'Organ development', 'Strategy', 'Pieces', 'Classic pieces', 'Variant pieces', 'History', 'Japanese Military Chess', "French L'Attaque", 'The early H. P. Gibson & Sons games', 'Stratego (classic)', 'Modern Stratego variations', 'Background', 'St. Louis Rams', 'Tennessee Titans', 'Playoffs', 'Pre-game notes', 'Television', 'Commercials', 'Entertainment', 'Pregame ceremonies', 'Further reading'], ['Definition', 'Borders and administrative division', 'Major cities', 'Economy', 'Sport', 'Demographics', 'Religion', 'Transport', 'Culture', 'Cuisine', 'See also', 'See also', "2006 coup d'état", '2008–2010 political crisis', '2013–2014 political crisis', "2014 coup d'état", 'Military Junta (2014 - 2019)', 'Maha Vajiralongkorn reign (2016–present)', 'See also', 'Notes', 'References', 'Bibliography', 'Reunions and later group activities', 'Legacy', 'Cultural influence', 'Conceptual basis and the question of credit', 'Band members', 'Discography', 'Studio album', 'Other albums', 'Singles', 'Notes', 'History', '1971–1974: Early years', '1978–1980: Collaborations with Eno', '1981–1991: Commercial peak and breakup', '1992–2002: Post-breakup', 'Influence', 'Circumradius and inradius', 'Adjacent triangles', 'Centroid', 'Circumcenter, incenter, and orthocenter', 'Angles', "Morley's trisector theorem", 'Figures inscribed in a triangle', 'Conics', 'Convex polygon', 'Hexagon', 'History', 'Modern usage', 'Britain', 'List of towpaths', 'See also', 'Family', 'Political and military career', 'Background', 'Early years of the democracy', 'Archonship', 'Rivalry with Aristides', 'Second Persian invasion of Greece', 'Natural disturbance', 'Taiga ecoregions', 'See also', 'References', 'Further reading'], ['Second Bull Run to Fredericksburg', 'Chancellorsville', 'Death', 'Personal life', 'Physical ailments', 'Religion', 'Command style', 'Horsemanship', 'Mourning his death', 'Legacy', 'History', 'Homeland', 'Genetic evidence', 'Early attestations', 'Uralic studies', 'Classification', 'Traditional classification', 'Lexical isoglosses', 'Phonological isoglosses', 'See also', 'Notes', 'References', 'Further reading'], ['Group of Experts (GoE)', 'National, regional and sub-regional programmes', 'See also', 'References'], ['See also', 'References'], ['RNA world hypothesis', 'History', 'See also', 'References'], ['Biography', 'Early life and career', 'Move to America', "Borge's style", 'Later career', 'Other endeavors', 'Family', 'Death', 'Legacy']]



['Wikipedia: Radon', 'Wikipedia: Economy of Réunion', 'Wikipedia: Roland Corporation', 'Wikipedia: Strontium', 'Wikipedia: Armed Forces of Saudi Arabia', 'Wikipedia: Transport in Sudan', 'Wikipedia: Special administrative regions of China', 'Wikipedia: Data storage', 'Wikipedia: Semaphore (disambiguation)', 'Wikipedia: Standard Arabic Technical Transliteration System', 'Wikipedia: Geography of Thailand', 'Wikipedia: Transcendental number', 'Wikipedia: Transfinite induction', 'Wikipedia: Texas Rangers (baseball)', 'Wikipedia: University of Chicago', 'Wikipedia: Vulvodynia']
[['Early years', 'Club career', 'Santos', 'New York Cosmos', 'International career', '1958 World Cup', 'South American Championship', '1962 World Cup', '1966 World Cup', '1970 World Cup', 'Death', 'Carnegie Hall tribute', 'Awards and honors', 'Discography', 'Songwriting', 'Film and television', 'Bibliography', 'References'], ['Benefits', 'Rational Choice Theory in Politics', 'See also', 'Notes', 'References', 'Further reading'], ['References'], ['Characteristics', 'International organization participation', 'See also', 'Other export products', 'Cityscape', 'City administration', 'Political control', 'Mayor', 'Demographics', 'Districts', 'Economy', 'Infrastructure', 'Roads', 'Airports and seaports', 'Conversion between radians and degrees', 'Radian to degree conversion derivation', 'Conversion between radians and gradians', 'Advantages of measuring in radians', 'Dimensional analysis', 'Use in physics', 'SI multiples', 'See also', 'Notes and references'], ['Geography', 'Climate', 'Biodiversity', 'Government and politics', 'Military', 'Biological and chemical warfare', 'Economy', 'Demographics', 'Population', 'Language', 'History', '1970s', '1980s', '1990s', 'Brands', 'References', 'Early development and adoption', 'Early twentieth-century growth and development', 'Modern saxophone emerges', 'Uses', 'In military bands and classical music', 'Selected works of the repertoire', 'Selected saxophone quartets', 'Selected chamber-music pieces with saxophone', 'Selected orchestral pieces with saxophones', 'Selected operas and musicals with saxophones', 'Safety', 'People v. Turner', 'Joe Lonsdale', 'People', 'Award laureates and scholars', 'See also', 'Notes', 'References', 'Further reading'], ['Characteristics', 'Isotopes', 'History', 'Occurrence', 'Production', 'History', 'Military services', 'Defense spending', 'Service branches', 'Army', 'Royal Navy', 'See also', 'References'], ['References'], ['List of special administrative regions of China', 'Origins', 'Childhood', 'Career', 'Meeting with Blacklock and Burns', 'Start of literary career, marriage and family', 'The poet', 'The novelist', 'References', 'Notes', 'Bibliography'], ['Bryan Wilson', 'Ernest Gellner', 'Michel Foucault', 'Other perspectives', 'Globalization', 'Religion and the social landscape', 'Families', 'See also', 'References', 'Further reading', 'Poetry', 'Twisted tales', 'Music', 'Folk etymology', 'Kniferisms and forkerisms', 'See also', 'References'], ['Optical-telegraph systems', 'Other', 'See also', 'Cardiovascular growth factor', 'Skin', 'Pharmacology', 'Mechanism of action', 'Psychedelic drugs', 'Antidepressants', 'Serotonin syndrome', 'Antiemetics', 'Other', 'Methyl-tryptamines and hallucinogens', 'Digital Stratego, online gaming and AIs', 'Related and derivative games', 'Publications', 'Versions', 'Classic versions', 'Variant versions', 'Promotional', 'Themed', 'Competition', 'Tournaments', 'Halftime show', 'Game summary', 'First Half', 'Third Quarter', 'Fourth Quarter', 'The final play', 'After the game', 'Box score', 'Statistical overview', 'Final statistics', 'Examples', 'Algebra and geometry', 'Statistics', 'Slope of a road or railway', 'Calculus', 'See also', 'References'], ['References', 'Bibliography', 'Format', 'Plot', 'Background', 'Deleted prologue and epilogue', 'Sequel', 'Adaptations', 'References'], [], ['Physical geography', 'Boundaries', 'Sources', 'Further reading'], ['Members', 'Discography', 'See also', 'References', 'Further reading'], ['Squares', 'Triangles', 'Figures circumscribed about a triangle', 'Specifying the location of a point in a triangle', 'Non-planar triangles', 'Triangles in construction', 'See also', 'Notes', 'References'], ['References', 'Bibliography'], ['Battle of Artemisium', 'Battle of Salamis', 'Autumn/Winter 480/479\xa0BC', 'Spring/Summer 479\xa0BC', 'Rebuilding of Athens after the Persian invasion', 'Fall and exile', 'Later life in the Achaemenid Empire, death, and descendants', 'Greek exiles in the Achaemenid Empire', 'First portraiture of a ruler on coinage', 'Death', 'Background', 'Design', 'Comparison of Finnish Crichton-Vulcan CV-707(U2A) to German Type II', 'Type IIA', 'List of Type IIA submarines', 'Type IIB', 'List of Type IIB submarines', 'Descendants', 'Commemorations', 'Quotations', 'See also', 'Notes', 'References', 'Further reading'], ['Honkola, et al. (2013)', 'Typology', 'Grammar', 'Phonology', 'Lexicography', 'Selected cognates', 'Mutual intelligibility', 'Comparison', 'Proposed relations with other language families', 'Uralic-Yukaghir', 'Native', 'Colonisation', 'Struggle for independence, 1811–28', 'Provincial freedom under Artigas', 'Brazilian province', 'The Thirty-Three', 'The "Guerra Grande", 1839–52', 'Foreign relations', 'Notes', 'References'], ['Definition for functions on metric spaces', 'Local continuity versus global uniform continuity', 'Examples and counterexamples', 'Properties', 'Visualization', 'History', 'Other characterisations', 'Non-standard analysis', 'Cauchy continuity', 'Relations with the extension problem', 'Early life', 'Political activities', 'Scientific activities', 'Family', 'Legacy', 'Selected works', 'Diaries', 'See also', 'Film and television', 'Discography', 'Filmography', 'References', 'Further reading'], []]



['Wikipedia: Pinuccio Sciola', 'Wikipedia: Romance languages', 'Wikipedia: Telecommunications in Réunion', 'Wikipedia: Redshift (disambiguation)', 'Wikipedia: Rhys ap Gruffydd', 'Wikipedia: Substance', 'Wikipedia: Sinn Féin', 'Wikipedia: Samuel', 'Wikipedia: September 9', 'Wikipedia: Synchronization', 'Wikipedia: Sindh', 'Wikipedia: Sex organ', 'Wikipedia: Sound change', 'Wikipedia: Taxi Driver', 'Wikipedia: Torino scale', 'Wikipedia: Tertiary education', 'Wikipedia: Uniform space', 'Wikipedia: VAX']
[['Style of play', 'Reception and legacy', 'Accolades', 'Personal life', 'Relationships and children', 'Politics', 'Health', 'Public image', 'After football', 'Honours', 'References', 'Name', 'Samples', 'Classification and related languages', 'Proposed divisions', 'Italo-Western vs. Eastern vs. Sardinian', 'Gallo-Romance languages', 'Physical properties', 'Chemical properties', 'Isotopes', 'Daughters', 'History and etymology', 'Occurrence', 'Concentration units', 'Natural', 'Accumulation in buildings', 'Industrial production', 'Statistics', 'See also', 'Notes', 'Railways', 'District heating', 'Cultural heritage', 'Lifestyle', 'Nightlife', 'Live music', "New Year's Eve", 'Main sights', 'Recreation', 'Education', 'Literature', 'Music', 'Science and technology', 'Religion', 'Foreign relations', 'The UK and the UDI', 'Sanctions', 'International perspective', 'Diplomatic relations', 'Results', 'Legacy', 'Culture', 'Media', 'Further reading'], ['Genealogy and early life', 'In jazz and popular music', 'Unusual variants', 'Related instruments', 'Image gallery', 'See also', 'Notes', 'References', 'Further reading'], ['Relating to drugs', 'Arts, entertainment, and media', 'Music', 'Applications', 'Radioactive strontium', 'Biological role', 'Effect on the human body', 'See also', 'References', 'Bibliography'], ['Royal Air Forces', 'Royal Air Defense', 'Royal Strategic Forces', 'Guard Forces', 'Royal Guard', 'National Guard', 'Border Guard', 'Armed Forces Medical Service', 'Recent military operations', 'Grand Mosque seizure', 'Railways', 'Highways', 'Inland waterways', 'Aviation', 'Airports with paved runways', 'Airports with unpaved runways', 'Ports and shipping', 'Merchant marine', 'Pipelines', 'References', 'Characteristics', 'High degree of autonomy', 'External affairs', 'Defense and military', 'Immigration and nationality', 'Comparisons', 'Offer to Taiwan and other ROC-controlled areas', 'Wolong', 'Defunct SARs', 'Chahar SAR', 'Recovery of the Crown Jewels, baronetcy and ceremonial pageantry', 'Financial problems and death', 'Religion', 'Freemasonry', 'Appearance', 'Abbotsford House', 'Legacy', 'Later assessment', 'Memorials and commemoration', 'Literature by other authors', 'Global capacity, digitization, and trends', 'See also', 'References', 'Further reading'], ['Biblical account', 'Family', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'References', 'Transport', 'Communication', 'Dynamical systems', 'Human movement', 'Uses', 'Comparative biology and evolution', 'Unicellular organisms', 'Plants', 'Invertebrates', 'Insects', 'Growth and reproduction', 'Aging and age-related phenotypes', 'Biochemical mechanisms', 'Biosynthesis', 'Effects of food content', 'See also', 'References', 'Further reading'], ['Statistical comparison', 'Individual leaders', 'Records Set', 'Starting lineups', 'Officials', 'References'], ['Terminology', 'Mammals', 'External and internal organs', 'Development', 'Other animals', 'Table of SATTS equivalents', 'Sample text', 'Background'], ['Plot', 'Cast', 'Production', 'Land boundaries', 'Coastline', 'Maritime claims', 'Topography and drainage', 'Area', 'Extreme points', 'Elevation extremes', 'Regions', 'Northern Thailand', 'Northeastern Thailand', 'History', 'Properties', 'Numbers proven to be transcendental', 'Possible transcendental numbers', 'Sketch of a proof that e is transcendental', 'The transcendence of', "Mahler's classification", 'Measure of irrationality of a real number', 'Measure of transcendence of a complex number', "Koksma's equivalent classification", 'Induction by cases', 'Transfinite recursion', 'Relationship to the axiom of choice', 'See also', 'Notes', 'References'], ['Overview', 'History and naming', 'Current Torino scale', 'History', 'Washington Senators (1961–1971)', 'Texas Rangers (1972–present)', 'First years in Texas (1972–1984)', 'Valentine, Ryan, and Bush (1985–1994)', 'First division titles (1995–2000)', 'The lean years (2001–2004)', 'Making changes (2005–2009)', 'Rangers Baseball Express, LLC', 'Rise to contention (2010–2016)', 'Succession and descendants', 'Assessments', 'Character', 'Historical reputation', 'Political and military legacy', 'In popular culture', 'References', 'Bibliography'], ['Type IIC', 'List of Type IIC submarines', 'Type IID', 'List of Type IID submarines', 'Ships in class', 'See also', 'References', 'Bibliography'], ['Global progress', 'Criticism', 'Influence on views', 'In the United Kingdom', 'In Australia', 'Eskimo-Uralic', 'Uralo-Siberian', 'Ural-Altaic', 'Indo-Uralic', 'Uralo-Dravidian', 'Nostratic', 'Eurasiatic', 'Uralic skepticism', 'Other comparisons', 'See also', 'The Uruguayan War, 1864–65', 'Social and economic developments up to 1900', 'Colorado rule', '1872 power-sharing agreement', 'Military in power, 1875–90', 'Immigration', 'Economy', 'Batlle era, 1903–33', 'The coup of 1933', 'World War II', 'History', 'Early years', '1920s–1980s', '1990s–2010s', 'Campus', 'Main campus', 'Satellite campuses', 'Administration and finances', 'Generalization to topological vector spaces', 'Generalization to uniform spaces', 'References', 'Further reading', 'References', 'Bibliography'], ['Signs and symptoms', 'Vulvar vestibulitis', 'Causes', 'Diagnosis', 'Differential diagnosis', 'Treatment', 'Lifestyle']]



['Wikipedia: Paolo Fresu', 'Wikipedia: Rom', 'Wikipedia: Relational model', 'Wikipedia: Sackbut', 'Wikipedia: Sun Microsystems', 'Wikipedia: Silver', 'Wikipedia: Sudanese Armed Forces', 'Wikipedia: Seattle Mariners', 'Wikipedia: Self-reference', 'Wikipedia: Sherwood Forest', 'Wikipedia: Lawrence Alma-Tadema', 'Wikipedia: Super Bowl XXXV', 'Wikipedia: The Terminator', 'Wikipedia: Triple point', 'Wikipedia: Terabyte', 'Wikipedia: TCP', 'Wikipedia: Tritium', 'Wikipedia: Utah', 'Wikipedia: Victor Meldrew']
[['Personal records', 'Career statistics', 'Club', 'International', 'Summary', 'Filmography', 'See also', 'Notes', 'References', 'Bibliography', 'Career', 'Discography', 'As leader', 'As sideman', 'See also', 'References', 'Pidgins, creoles, and mixed languages', 'Auxiliary and constructed languages', 'Modern status', 'History', 'Vulgar Latin', 'Fall of the Western Roman Empire', 'Fall of the Eastern Roman empire', 'Early Romance', 'Recognition of the vernaculars', 'Uniformization and standardization', 'Concentration scale', 'Applications', 'Medical', 'Scientific', 'Health risks', 'In mines', 'Domestic-level exposure', 'Action and reference level', 'Inhalation and smoking', 'Ingestion', 'All articles lacking sources', 'All stub articles', 'Articles lacking sources from January 2008', 'Réunion', 'Réunion stubs', 'Telecommunications by country', 'Telecommunications in Africa', 'Secondary schools', 'Universities', 'International schools', 'Sports teams', 'Football', 'Úrvalsdeild', '1. deild karla', 'Other', 'Twin towns and sister cities', 'Notable people', 'Biomechanics and medicine', 'Computers and mathematics', 'Engineering', 'Sports', 'References', 'Further reading'], ['Audio and video', 'First battles (1146–1155)', 'Early reign', 'Loss of territory (1155–1163)', 'Welsh uprising (1164–1170)', 'Later reign', 'Peace with King Henry (1171–1188)', 'Final campaigns (1189–1196)', 'Death and aftermath (1197)', 'Character and historical assessment', 'Children', 'Terminological history', 'History', 'Instrument sizes', 'Construction', 'Other media', 'Religion', 'See also', 'Characteristics', 'Isotopes', 'Chemistry', 'Compounds', 'Oxides and chalcogenides', 'Persian Gulf War', 'Operation Southern Watch', 'Shia insurgency in Yemen', 'Officer ranks', 'Enlisted ranks', 'Military industry', 'See also', 'References', 'Citations', 'Sources'], ['Organization', 'Al-Bashir era', 'See also', 'Notes', 'References', 'Scott and the other arts', 'Bibliography', 'Novels', 'Poetry', 'Short stories', 'Plays', 'Non-fiction', 'See also', 'References', 'Further reading', 'Name', 'History', '1905–1922', '1923–1970', '1970–1975', '1976–1983', '1983–1998', '1998–2017', 'Name', 'Calling', 'Leader', 'King-maker', 'Critic of Saul', 'Death', 'Documentary hypothesis', 'National prophet, local seer', 'Deuteronomistic Samuel', 'Perspectives on Samuel'], ['In logic, mathematics and computing', 'In biology', 'See also', 'References'], ['History and etymology', 'See also', 'Notes', 'References', 'Further reading'], ['Etymology', 'History', 'Prehistoric period', 'Early history', 'Arrival of Islam', 'Soomra dynasty period', 'Samma Dynasty period', 'Migration of Baloch', 'Mughal era', 'Background', 'Baltimore Ravens', 'New York Giants', 'Playoffs', 'Pre-game news', 'Broadcasting', 'Insects', 'Slugs and snails', 'Planaria', 'Plants', 'Flowering plants', 'See also', 'References', 'Further reading', 'Formal notation', 'Principles', 'Terms for changes in pronunciation', 'Examples of specific historical sound changes', 'Notes', 'References', 'Symbolism', "De Niro's preparation for the role", 'Pre-production', 'New York Bankruptcy', 'Music', 'Controversies', 'Casting of Jodie Foster', 'John Hinckley Jr.', 'R rating', 'Themes and interpretations', 'Central Thailand', 'Eastern Thailand', 'Western Thailand', 'Southern Thailand', 'Provinces', 'Climate', 'Resources and land use', 'Natural resources', 'Land use', 'Land ownership', "LeVeque's construction", 'Type', 'See also', 'Notes', 'References'], ['Triple point of water', 'Gas–liquid–solid triple point', 'High-pressure phases', 'Actual impacts and impact energy comparisons', 'Downgraded to zero', 'See also', 'References'], ['2017–present', 'Season-by-season records', 'Radio and television', 'Radio', 'Television', 'Ballpark', 'Mascot', 'Roster', 'Achievements', 'Baseball Hall of Famers', 'Science and technology', 'Computing', 'Medicine', 'Chemistry', 'History', 'Decay', 'Production', 'Lithium', 'In the United States of America', 'In the European Union', 'In France', 'In Africa', 'In Nigeria', 'In Japan', 'History of the special training schools', 'See also', 'Sources', 'References', 'Notes', 'References', 'External classification', 'Linguistic issues'], ['"Rebel" Uralists', 'Admiral Graf Spee', 'International relations', 'Collapse of the Uruguayan miracle', 'Military dictatorship, 1973–1985', 'Recent history', 'See also', 'References', 'Bibliography'], ['Rankings', 'Undergraduate college', 'Graduate schools and committees', 'Professional schools', 'Associated academic institutions', 'Library system', 'Research', 'Arts', 'Student body and admissions', 'Athletics', 'Definition', 'Entourage definition', 'Pseudometrics definition', 'Uniform cover definition', 'Topology of uniform spaces', 'Uniformizable spaces', 'Uniform continuity', 'Completeness', 'Hausdorff completion of a uniform space', 'Name', 'Instruction set', 'Operating systems', 'History', 'VAX-based systems', 'Canceled systems', 'Clones', 'References'], ['Counseling', 'Medications', 'Surgery', 'Epidemiology', 'References'], []]



['Wikipedia: Polycarp', 'Wikipedia: Punta Sardegna', 'Wikipedia: Ruby (disambiguation)', 'Wikipedia: Transport in Réunion', 'Wikipedia: Retrovirus', 'Wikipedia: Mass racial violence in the United States', 'Wikipedia: Rachel Summers', 'Wikipedia: Foreign relations of Saudi Arabia', 'Wikipedia: Savoy', 'Wikipedia: Sokal affair', 'Wikipedia: Snake', 'Wikipedia: Sulpicius Severus', 'Wikipedia: Taxonomy (biology)', 'Wikipedia: TWA Flight 800', 'Wikipedia: Toonie', 'Wikipedia: Trimix (breathing gas)', 'Wikipedia: Geography of Uruguay', 'Wikipedia: Variance', 'Wikipedia: Valens']
[[], ['Surviving writings and early accounts', 'Life'], ['See also', 'Sound changes', 'Consonants', 'Apocope', 'Palatalization', 'Lenition', 'Vowel prosthesis', 'Stressed vowels', 'Loss of vowel length, reorientation', 'Latin diphthongs', 'Further developments', 'Testing and mitigation', 'See also', 'References'], ['Motorways', 'Sea', 'Airports', 'Railways', 'References', 'Notes', 'See also', 'Notes', 'References', 'Sources'], ['Fiction and entertainment', 'Places and structures', 'Society', 'Other uses', 'Overview', 'Alternatives', 'Implementation', 'History', 'Controversies', 'Topics', 'Interpretation', 'Application to databases', 'Notes', 'References', 'Primary sources', 'Secondary sources'], ['Pitch', 'Timbre', 'Performance practice', 'Symbolism', 'Repertoire', 'Before 1600', '1600–1700', 'Solo', 'Chamber music', 'Light music', 'History', 'The "dot-com bubble" and aftermath', 'Post-crash focus', 'Sun acquisitions', 'Major stockholders', 'Hardware', 'Motorola-based systems', 'SPARC-based systems', 'x86-based systems', 'Software', 'Halides', 'Other inorganic compounds', 'Coordination compounds', 'Organometallic', 'Intermetallic', 'Etymology', 'History', 'Symbolic role', 'Occurrence and production', 'Monetary use', 'Further reading'], ['History', 'Transition to democracy era', 'Equipment', 'History', 'Yemen Civil War', 'Education and training', 'Tanks', 'Infantry fighting vehicles', 'Self propelled artillery', 'Joint Integrated Units', 'Air Force', 'History', 'Uniforms', 'Spring training', 'Season records', 'T-Mobile Park', 'Seattle Mariners Hall of Fame', 'Retired numbers', 'Culture', 'Louie Louie', 'Hydroplane Races and Cap-and-Ball Game'], ['Geography', 'History', 'From 2018', 'Past links with Republican paramilitaries', 'Policy and ideology', 'Social and cultural', 'Economy', 'Health', 'International relations', 'European Union', 'Organisational structure', 'Leadership history', 'Judaism', 'Christianity', 'Islam', 'Portrayals', 'See also', 'Notes', 'References', 'In art', 'In language', 'In popular culture', 'See also', 'References', 'Sources', 'Geology', 'Management and conservation', 'Tourism', 'Major Oak', 'Thynghowe', 'See also', 'References', 'Further reading'], ['Biography', 'Early life', 'Move to Belgium', 'Early works', 'Move to England', 'Victorian painter', 'Personality', 'Talpurs', 'British Raj', 'Population', 'Demographics', 'Religion', 'Languages', 'Geography and nature', 'Flora', 'Fauna', 'Climate', 'Entertainment', 'Pregame ceremonies', 'Halftime show', 'Community Events', 'Game summary', 'First quarter', 'Second quarter', 'Third quarter', 'Fourth quarter', 'Box score', 'Etymology', 'Evolution', 'Origins', 'Distribution', 'Taxonomy', 'Life', 'Works', 'Chronicle', 'Life of St. Martin, dialogues, and letters', 'Spurious attributions', 'Sources', 'Reception', 'Box office', 'Critical response', 'Accolades', 'Legacy', '"You talkin\' to me?"', 'Home media', 'Possible sequel and remake', 'References'], ['Irrigated land', 'Total renewable water resources', 'Environmental concerns', 'International environmental agreements', 'Territorial disputes', 'History', 'Cambodia', 'Laos', 'Malaysia', 'Myanmar', 'Plot', 'Cast', 'Production', 'Development', 'Pre-production', 'Filming', 'Music', 'Triple-point cells', 'Table of triple points', 'See also', 'References'], ['History', 'Illustrative usage examples', 'See also', 'References', 'Ford C. Frick Award recipients', 'Texas Sports Hall of Fame', 'Texas Rangers Hall of Fame', 'Retired numbers', 'Team captains', 'Team records', 'Minor league affiliations', 'See also', 'References'], ['Organizations', 'Other uses', 'See also', 'Boron', 'Deuterium', 'Fission', 'Fukushima Daiichi', 'Helium-3', 'Cosmic rays', 'Production history', 'Properties', 'Health risks', 'Environmental contamination', 'Citations'], ['Mixes', 'Etymology', 'History', 'Pre-Columbian', 'Spanish exploration (1540)', 'Latter Day Saint settlement (1847)', 'Utah Territory (1850–1896)', '20th century to present', 'Topography and hydrography', 'Climate', 'Land use and settlement patterns', 'The Countryside', 'Student government', 'Fraternities and sororities', 'Student housing', 'Traditions', 'People', 'Alumni', 'Faculty', 'References'], ['Examples', 'History', 'See also', 'References', 'Life', 'Appointment as emperor', 'Revolt of Procopius', 'War against the Goths', 'Character', 'Reception', 'References'], []]



['Wikipedia: Progressive multifocal leukoencephalopathy', 'Wikipedia: History of Romania', 'Wikipedia: Foreign relations of Sudan', 'Wikipedia: Square (video game company)', 'Wikipedia: Sulawesi', 'Wikipedia: Scared to Death', 'Wikipedia: Theory of relativity', 'Wikipedia: Demographics of Thailand', 'Wikipedia: Tex-Mex', 'Wikipedia: Demographics of Uruguay', 'Wikipedia: Uniformitarianism', 'Wikipedia: Vratislaus I, Duke of Bohemia', 'Wikipedia: Víðarr']
[['Papias', 'Visit to Anicetus', 'Date of martyrdom', 'Great Sabbath', 'Importance', 'Relics', 'See also', 'References'], ['Signs and symptoms', 'Cause', 'JC virus infection', 'Immunosuppression', 'Metaphony', 'Diphthongization', 'Nasalization', 'Front-rounded vowels', 'Unstressed vowels', 'Intertonic vowels', 'Writing systems', 'Letters', 'Digraphs and trigraphs', 'Double consonants', 'Places', 'Arts and entertainment', 'Fictional characters', 'Films', 'Games', 'Television', 'Literature', 'Music', 'Albums', 'Further reading'], ['Prehistory', 'Structure', 'Genomic structure', 'Multiplication', 'Recombination', 'Transmission', 'Provirus', 'Early evolution', 'Gene therapy', 'History', 'Genocide of the California Indigenous Natives', 'Anti-immigrant and anti-Catholic violence', 'The Reconstruction era (1863–1877)', 'The lynching era (1878–1939)', 'The civil rights era (1940–1971)', 'The modern era (1972–present)', 'Nineteenth-century events', 'Twentieth-century events', 'SQL and the relational model', 'Relational operations', 'Database normalization', 'Examples', 'Database', 'Customer relation', 'Set-theoretic formulation', 'Key constraints and functional dependencies', 'Algorithm to derive candidate keys from functional dependencies', 'See also', 'Publication history', 'Fictional character biography', 'Future adolescence', 'X-Men', 'Excalibur', 'Askani', 'Rachel Grey', 'End of Greys', 'Sacred music', 'Venice', 'Germany/Austria', 'Theatre', '1700–1750', '1750–1800', 'Modern performance', 'Medieval', 'Renaissance / Baroque small chamber music', 'Recordings', 'Operating systems', 'Java platform', 'Office suite', 'Virtualization and datacenter automation software', 'Database management systems', 'Other software', 'Storage', 'High-performance computing', 'Staff', 'Acquisition by Oracle', 'Price', 'Applications', 'Jewellery and silverware', 'Medicine', 'Electronics', 'Brazing alloys', 'Chemical equipment', 'Catalysis', 'Photography', 'Nanoparticles', 'Islam', 'Bilateral relations', 'Africa', 'America', 'Asia', 'Trade relations', 'Labor relations', 'Europe', 'Oceania', 'Public relations and propaganda', 'Navy', 'References', 'Broad references', 'Further reading', 'Buhner Buzz Cut Night', 'Rally Fries', "King's Court", 'The Maple Grove', 'Roster and Baseball Hall of Fame', 'Baseball Hall of Famers', 'Ford C. Frick Award recipients', 'State of Washington Sports Hall of Fame', 'Minor league affiliations', 'Radio and television', 'Early history', 'Early and High Middle Ages', 'Duchy of Savoy', 'French Revolutionary Wars', 'Modern history', 'Annexation to France', '20th century', 'Modern regionalist politics', 'Modern historiographical debates', 'See also', 'Ministers and spokespeople', 'Northern Ireland', 'Republic of Ireland', 'General election results', 'Devolved legislature elections', 'Westminster elections', 'Trends', 'Dáil Éireann elections', 'Local government elections', 'European elections', 'History', 'Subsidiaries and related corporations', 'In Japan', 'Abroad', 'Square Soft', 'Square USA', 'Background', 'Article', 'Content of the article', 'Publication', 'Responses', 'Follow-up between Sokal and the editors', 'Book by Sokal and Bricmont', 'Etymology', 'Geography', 'Minor islands', 'Geology', 'Later years', 'Style', 'Reputation', 'Gallery', 'References and sources', 'References', 'Sources'], ['Major cities', 'Government', 'Sindh province', 'Divisions', 'Districts', 'Economy', 'Education', 'Culture', 'Cultural heritage', 'Tourism', 'Statistical overview', 'Final statistics', 'Statistical comparison', 'Individual leaders', 'Records set', 'Starting lineups', 'Officials', 'Surveillance', 'Notes and references', 'Families', 'Legless lizards', 'Biology', 'Size', 'Perception', 'Skin', 'Molting', 'Skeleton', 'Internal organs', 'Venom', 'Bibliography', 'See also', 'Notes', 'References', 'Further reading'], ['Development and acceptance', 'Special relativity', 'General relativity', 'See also', 'References'], ['Release', 'Critical response', 'Post-release', 'Aftermath', 'Thematic analysis', 'Home media', 'Legacy', 'Merchandise', 'Sequels and franchise', 'See also', 'Definition', 'Monograph and taxonomic revision', 'Alpha and beta taxonomy', 'Microtaxonomy and macrotaxonomy', 'History', 'Pre-Linnaean', 'Early taxonomists', 'Ancient times', 'Accident flight', 'Passengers and crew', 'Initial investigation', 'Search and recovery operations', 'Tensions in the investigation', 'Witness interviews', 'Further investigation and analysis', 'Common dishes', 'History', 'Outside the US', 'Naming', 'Launch', 'Commemorative editions', 'Specimen set editions', 'First strikes', 'Separation of metals', 'See also', 'References'], ['Regulatory limits', 'Use', 'Self-powered lighting', 'Nuclear weapons', 'Neutron initiator', 'Boosting', 'Tritium in hydrogen bomb secondaries', 'Controlled nuclear fusion', 'Analytical chemistry', 'Electrical power source', 'Advantages of helium in the mix', 'Disadvantages of helium in the mix', 'Advantages of reducing oxygen in the mix', 'Advantages of keeping some nitrogen in the mix', 'Naming conventions', 'Blending', '"Standard" mixes', 'Heliair', 'Hyperoxic trimix', 'History as a diving gas', '21st century', 'Geography and geology', 'Adjacent states', 'Climate', 'Wildlife', 'Mammals', 'Birds', 'Insects', 'Vegetation', 'Demographics', 'The Littoral', 'Greater Montevideo', 'The coast', 'Regional development', 'References'], ['History', '18th century', '19th century', 'Definition', 'Discrete random variable', 'Absolutely continuous random variable', 'Examples', 'Exponential distribution', 'Fair die', 'Commonly used probability distributions', 'Properties', 'Basic properties', 'Conflict with the Sassanids', 'Gothic War', 'Battle of Adrianople and death of Valens', 'Legacy', 'Struggles with the religious nature of the Empire', 'See also', 'Notes', 'References'], ['Life', 'References']]



['Wikipedia: Pacifism', 'Wikipedia: Rathaus Schöneberg', 'Wikipedia: Solaris', 'Wikipedia: Senegal', 'Wikipedia: Source code', 'Wikipedia: Suffolk', 'Wikipedia: Willis Tower', 'Wikipedia: Surrealism', 'Wikipedia: Super Bowl III', 'Wikipedia: Saints Cyril and Methodius', 'Wikipedia: Total order', 'Wikipedia: Trick-or-treating', 'Wikipedia: Tirana', 'Wikipedia: Theoretical chemistry', 'Wikipedia: VCR (disambiguation)']
[['Definition', 'Moral considerations', 'Nonviolence', 'Absolute pacifism', 'Multiple sclerosis medications', 'Pathogenesis', 'Diagnosis', 'Treatment', 'Prognosis', 'See also', 'References'], ['Diacritics', 'Upper and lower case', 'Vocabulary comparison', 'Degrees of lexical similarity between the Romance languages', 'See also', 'Notes', 'References'], ['Songs', 'Artists and record labels', 'People', 'Programming', 'Ships', 'Other uses', 'See also', 'Dacia', 'Roman Dacia (106–275\xa0AD)', 'Early Middle Ages', 'High Middle Ages', 'Early modern period', 'Revolutions of 1848', 'Status of women', 'Independence and Kingdom of Romania', 'World War I', 'Greater Romania (1918–1940)', 'Cancer', 'Classification', 'Exogenous', 'Group VI viruses', 'Group VII viruses', 'Endogenous', 'Treatment', 'Treatment of veterinary retroviruses', 'Notes', 'References', 'Twenty-first-century events', 'Timeline of events', 'Nativist period 1700s–1860', 'Civil War period 1861–1865', 'Post–Civil War and Reconstruction period: 1865–1877', 'Jim Crow period: 1877–1914', 'War and Inter-War period: 1914–1945', 'Civil rights movement: 1955–1973', '1963', '1964', 'References', 'Further reading'], ["Rise and Fall of the Shi'ar Empire", 'Starjammers', 'X-Men: Kingbreaker and War of Kings', 'Realm of Kings', 'Age of X', 'Schism and Regenesis', 'Avengers vs. X-Men', 'Marvel NOW! and Inhuman war', 'ResurrXion', 'Powers and abilities', 'Early surviving instruments', 'Modern manufacturers', 'See also', 'References', 'Further reading', 'Historical references'], ['See also', 'References', 'Further reading'], ['Miscellanea', 'Precautions', 'See also', 'References', 'Sources used above', 'Further reading'], ['International organization participation', 'See also', 'References', 'Further reading'], ['Bilateral relations', 'Africa', 'Americas', 'Asia', 'Europe', 'See also', 'References'], ['Franchise records and award winners', 'Career records', 'See also', 'Footnotes'], ['Notes', 'References'], ['See also', 'Notes', 'References', 'Further reading'], ['Square Pictures', 'Electronic Arts Square', 'Note', 'See also', 'References', 'Further reading'], ['Media coverage and Jacques Derrida', 'Social science criticism', 'Sociological follow-up study', 'The "Sokal Squared" scandal', 'See also', 'References', 'Footnotes', 'Citations', 'Bibliography', 'Further reading', 'Prehistory', 'History', 'Central Sulawesi', 'Population', 'Religion', 'Languages', 'Administration', 'Flora and fauna', 'Mammals', 'Birds', 'Founding of the movement', 'Surrealist Manifestos', 'Expansion', 'Surrealist literature', 'Surrealist films', 'See also', 'Notes', 'References', 'Bibliography'], ['Early career', 'Early life', 'Mission to the Khazars', 'Mission to the Slavs', 'Reproduction', 'Facultative parthenogenesis', 'Behavior', 'Winter dormancy', 'Feeding and diet', 'Locomotion', 'Lateral undulation', 'Sidewinding', 'Concertina', 'Arboreal', 'Plot', 'Cast', 'Production', 'Legacy', 'References'], ['Experimental evidence', 'Tests of special relativity', 'Tests of general relativity', 'Modern applications', 'Asymptotic symmetries', 'See also', 'References', 'Further reading'], ['Population', 'Ethnic groups', 'Languages', 'Religion', 'People with disabilities', 'Expatriates', 'Vital statistics', 'Births and deaths', 'Life expectancy at birth', 'Total fertility rate', 'References', 'Citations', 'Bibliography'], ['Medieval', 'Renaissance and Early Modern', 'The Linnaean era', 'Modern system of classification', 'Kingdoms and domains', 'Recent comprehensive classifications', 'Application', 'Classifying organisms', 'Taxonomic descriptions', 'Author citation', 'Possible causes of the in-flight breakup', 'Structural failure and decompression', 'Missile or bomb detonation', 'Fuel-air explosion in the center wing fuel tank', 'In-flight breakup sequence and crippled flight', 'Analysis of reported witness observations', 'Possible ignition sources of the center wing fuel tank', 'Missile fragment or small explosive charge', 'Other potential sources', 'Fuel quantity indication system', 'Terminology', 'Prominent chefs', 'Related cuisines', 'See also', 'References'], ['Geography', 'Climate', 'Urbanism', 'History', 'Use as an oceanic transient tracer', 'North Atlantic Ocean', 'Pacific and Indian Oceans', 'Mississippi River System', 'See also', 'References'], ['Training and certification', 'See also', 'References', 'Health and fertility', 'Ancestry and race', 'Religion', 'Languages', 'Age and gender', 'Economy', 'Taxation', 'Tourism', 'Branding', 'Mining', 'Population', 'Structure of the population', 'Vital statistics', 'UN estimates', 'Total fertility rate (1880–1899)', 'Births and deaths', 'Origins and ethnicity', 'Systems of inorganic earth history', "Lyell's uniformitarianism", 'Methodological assumptions', 'Substantive hypotheses', '20th century', 'Social sciences', 'See also', 'Notes', 'References'], ['Issues of finiteness', 'Sum of uncorrelated variables (Bienaymé formula)', 'Sum of correlated variables', 'With correlation and fixed sample size', 'I.i.d. with random sample size', 'Matrix notation for the variance of a linear combination', 'Weighted sum of variables', 'Product of independent variables', 'Product of statistically dependent variables', 'Decomposition', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Attestations', 'Poetic Edda', 'Prose Edda', 'Archaeological record', 'Theories', 'Dumézil', 'Notes']]



['Wikipedia: Idiopathic intracranial hypertension', 'Wikipedia: Rugby football', 'Wikipedia: KTH Royal Institute of Technology', 'Wikipedia: Round (music)', 'Wikipedia: Rædwald of East Anglia', 'Wikipedia: Saxhorn', 'Wikipedia: Sorbian languages', 'Wikipedia: Human rights in Sudan', 'Wikipedia: Symplectic manifold', 'Wikipedia: Sweet tea', 'Wikipedia: Stefan Banach', 'Wikipedia: Telephone', 'Wikipedia: Tau Ceti', 'Wikipedia: The Skeptical Environmentalist', 'Wikipedia: Universal Decimal Classification', 'Wikipedia: Batavia (1628 ship)', 'Wikipedia: Vowel']
[['Police actions and national liberation', 'Early traditions of pacifism', 'China', 'Lemba', 'Moriori', 'Greece', 'Roman Empire', 'Christianity', 'Modern history', 'Peace movements', 'Signs and symptoms', 'Causes', 'Mechanism', 'Diagnosis', 'Investigations', 'Forms', 'History', 'Antecedents of rugby', 'Establishment of modern rugby', 'Global status of rugby codes', 'History', 'R1 nuclear reactor', 'Schools', 'International and national ranking', 'Ranking placement in subject areas', 'Engineering & Technology', 'Transition to authoritarian rule', 'World War II and aftermath (1940–1947)', 'Communist period (1947–1989)', '1989 Revolution', 'Transition to free market (1990–2004)', 'New constitution', 'NATO and European Union membership (2004–present)', 'Romanian rulers', 'See also', 'References', 'Further reading'], ['History', '1965', '1966', '1967', '1968', '1969', '1970', '1971', '1972', '1973', 'Post-Civil Rights Era: 1974–1989', 'History', 'References'], ['Telepathy', 'Telekinesis', 'Chronoskimming', 'Phoenix Force', 'Power signature', 'Skills and abilities', 'Potential and limitations', 'Other versions', 'House of M', 'Variations of Days of Future Past', 'The saxhorn family', 'Ranges of individual members', 'History', 'See also', 'References', 'Discography', 'In arts and entertainment', 'Literature, television and film', 'Music', 'Video games', 'Other uses in arts and entertainment', 'Organisations', 'Other uses', 'See also', 'History', 'Geographic distribution', 'Linguistic features', 'Grammar', 'Vocabulary comparison', 'See also', 'Etymology', 'History', 'Early and pre-colonial eras', 'Colonial era', 'Independence (1960)', 'Politics', 'Political culture', 'Administrative divisions', 'Abuses in conflict settings', 'Ethnic cleansing in Darfur', 'Slavery', "Women's rights", 'Definitions', 'History', 'Organization', 'Purposes', 'Legal aspects', 'Licensing', 'Quality', 'See also', 'History', 'Administration', 'Archaeology', 'Geography', 'Demography', 'Economy', 'Education', 'Primary, secondary and further education', 'Tertiary education', 'Culture', 'History', 'Planning and construction', 'Suits filed to halt construction', 'Post-opening', 'Flood', 'Height', "Position in Chicago's skyline", 'Climbing', 'Motivation', 'Definition', 'Linear symplectic manifold', 'Lagrangian and other submanifolds', 'Examples', 'Special Lagrangian submanifolds'], ['History', 'See also', 'Reptiles', 'Amphibians', 'Freshwater fish', 'Freshwater crustaceans and snails', 'Miscellaneous', 'Conservation', 'Environment', 'Parks', 'See also', 'Notes', 'Surrealist theatre', 'Surrealist music', 'Surrealism and international politics', 'Internal politics', 'Golden age', 'World War II and the Post War period', 'Post-Breton Surrealism', 'Impact of Surrealism', 'Other sources used by Surrealism epigones', '1960s riots', 'Background', 'Professional football', 'Baltimore Colts', 'New York Jets', 'Postseason', 'Super Bowl pregame news and notes', "Namath's guarantee", 'Television', 'Great Moravia', 'Journey to Rome', 'Methodius alone', "Methodius' final years", 'Invention of the Glagolitic and Cyrillic alphabets', 'Commemoration', "Saints Cyril and Methodius' Day", 'Other commemoration', 'Gallery', 'Names in other languages', 'Rectilinear', 'Interactions with humans', 'Bite', 'Snake charmers', 'Trapping', 'Consumption', 'Pets', 'Symbolism', 'Religion', 'Medicine', 'Life', 'Early life', 'Discovery by Steinhaus', 'Interbellum', 'Basic principles', 'Details of operation', 'History', 'Timeline of early development', 'Population pyramids', 'Data | The World Bank', 'Mortality rate, under-5 (deaths per 1,000 live births)', 'Adolescent birth rate', 'CIA World Factbook demographic statistics', 'Age structure', 'Population growth rate', 'Net migration rate', 'Sex ratio', 'Literacy', 'Strict total order', 'Examples', 'Chains', 'Further concepts', 'Lattice theory', 'Finite total orders', 'Category theory', 'Order topology', 'Phenetics', 'Databases', 'See also', 'Notes', 'References', 'Bibliography'], ['Report conclusions', 'Controversy', 'Aftermath', 'Memorials', 'In popular culture', 'See also', 'Notes', 'References'], ['History', 'Ancient precursors', 'Origins', 'Increased popularity', 'Phrase introduction to the UK and Ireland', 'Etiquette', 'Local variants', 'Early development', 'Modern development', 'Capital of Albania', 'Communist Albania', '21st century', 'Demography', 'Religion', 'Politics', 'Administration', 'International relations', 'Name', 'Motion', 'Physical properties', 'Rotation', 'Metallicity', 'Luminosity and variability', 'Overview', 'Branches of theoretical chemistry', 'Closely related disciplines', 'See also', 'Bibliography', 'Incidents', 'Energy', 'Potential to use renewable energy sources', 'Transportation', 'Law and government', 'Counties', "Women's rights", 'Free-range parenting', 'Constitution', 'Alcohol, tobacco and gambling laws', 'Demographic distribution', 'Emigration', 'Religion', 'Demographic statistics', 'Age structure', 'Median age', 'Birth rate', 'Death rate', 'Total fertility rate', 'Net migration rate', 'History', 'The application of UDC', 'UDC structure', 'Calculation from the CDF', 'Characteristic property', 'Units of measurement', 'Approximating the variance of a function', 'Population variance and sample variance', 'Population variance', 'Sample variance', 'Distribution of the sample variance', "Samuelson's inequality", 'Relations with the harmonic and arithmetic means', 'Short description is different from Wikidata', 'Maiden voyage', 'Mutiny', 'References', 'Definition', 'Articulation']]



['Wikipedia: Geography of Romania', 'Wikipedia: Reincarnation', 'Wikipedia: Scanner', 'Wikipedia: Saladin', 'Wikipedia: Samarium', 'Wikipedia: Space', 'Wikipedia: Cuisine of the Southern United States', 'Wikipedia: Southeast Asia', 'Wikipedia: Saluki', 'Wikipedia: Steam turbine', 'Wikipedia: Politics of Thailand', 'Wikipedia: Tactical voting', 'Wikipedia: Tyrannosaurus', 'Wikipedia: Triangulum']
[['Non-violent resistance', 'World War I', 'Between the two World Wars', 'Great Britain', 'Spain', 'France', 'Germany', 'World War II', 'Conscientious objectors', 'Later 20th century', 'Classification', 'Treatment', 'Lumbar puncture', 'Medication', 'Venous sinus stenting', 'Surgery', 'Prognosis', 'Epidemiology', 'History', 'References', 'Laws', 'Culture', 'Home countries', 'Internationally', 'Injuries', 'Rugby ball', 'World Cups', 'Rugby shirt', 'Rugby betting', 'See also', 'Natural Sciences', 'Physical Sciences', 'Campuses', 'KTH Campus', 'KTH Kista', 'KTH Flemingsberg', 'KTH Södertälje', 'Notable alumni', 'Notable faculty', 'KTH Great Prize', 'Further reading'], ['History', 'Mechanics', 'Classical', 'See also', 'References', '1977', '1978', '1980', '1985', '1989', 'Since 1990', 'See also', 'References', 'Further reading'], ['Sources', "The context of Rædwald's kingdom", 'Family', 'Early reign and baptism', 'Rædwald and Edwin of Northumbria', "Edwin's exile", 'The Battle of the River Idle', "Rædwald's imperium", 'The development of Gipeswic', 'Death', 'Exiles', 'X-Men: The End', 'In other media', 'Television', 'Video games', 'Miscellaneous', 'References'], [], ['Technology', 'For invisible radiation', 'Early life', 'Early expeditions', 'In Egypt', 'Vizier of Egypt', 'References'], ['Physical properties', 'Foreign relations', 'Military', 'Law', 'Geography', 'Climate', 'Wildlife', 'Environment', 'Environmental issues', 'Climate change', 'Economy', 'Democratic transition (2019–present)', 'Child soldiers', 'Prisoner abuse', 'Persecution of human rights defenders', 'Religious persecution', 'Historical situation', 'LGBT rights', 'International treaties', 'See also', 'Notes', 'References', 'Sources'], ['Arts', 'Dialect', 'Sport', 'Football', 'Horse racing', 'Speedway', 'Cricket', 'Suffolk in popular culture', 'Notable people', 'Edmund of East Anglia', 'Naming rights', 'Figures and statistics', 'Broadcasting', 'Radio stations', 'Television stations', 'Cultural depictions', 'Film and television', 'Other', 'Image gallery', 'See also', 'Lagrangian fibration', 'Lagrangian mapping', 'Special cases and generalizations', 'See also', 'Notes', 'References'], ['References', 'Bibliography', 'Traditional Southern dishes', 'References', 'Sources'], ['Postmodernism and popular culture', 'Surrealist groups', 'Surrealism and the theatre', 'Surrealism and comedy', 'Alleged precursors in older art', 'See also', 'References', 'Bibliography'], ['André Breton writings', 'Ceremonies and entertainment', 'Game summary', 'First quarter', 'Second quarter', 'Third quarter', 'Fourth quarter', 'Box score', 'Postgame reactions', 'Final statistics', 'Statistical comparison', 'See also', 'References', 'Sources'], ['See also', 'References', 'Further reading'], ['World War II', 'Contributions', 'Quotes', 'See also', 'Notes', 'Further reading', 'References'], ['Early commercial instruments', 'Digital telephones and voice over IP', 'Mobile telephony', 'Characteristic icons and symbols', 'See also', 'References', 'Further reading'], ['References'], ['Politics of constitutions', 'Orders on the Cartesian product of totally ordered sets', 'Related structures', 'See also', 'Notes', 'References'], ['History of research', 'Earliest finds', 'Skeleton discovery and naming', 'Resurgent interest', 'Footprints', 'Description', 'History and mythology', 'Characteristics', 'Features', 'Stars', 'Guising', 'Trunk-or-Treat', 'Other', 'Trick or Treat for Charity', 'See also', 'References', 'Further reading', 'Economy', 'Infrastructure', 'Transport', 'Education', 'Media', 'Culture', 'Architecture', 'Museums', 'Festivals', 'Cuisine', 'Life and planet searches', 'Planet Searches', 'SETI and HabCat', 'Planetary system', 'Tau Ceti e', 'Tau Ceti f', 'Debris disk', 'See also', 'Notes', 'References', 'The author', 'Origins', 'Methods', 'Contents', 'The Litany', '1. Human prosperity from an economic and demographic point of view', '2. Human prosperity from an ecological point of view', '3. Pollution as a threat to human prosperity', 'Same-sex marriage', 'Politics', 'Major cities and towns', 'Colleges and universities', 'Culture', 'Sports', 'Entertainment', 'See also', 'References', 'Further reading', 'Population growth rate', 'Life expectancy at birth', 'Urbanization', 'Sex ratio', 'HIV/AIDS – adult prevalence rate', 'HIV/AIDS – people living with HIV/AIDS', 'HIV/AIDS – deaths', 'Ethnic groups', 'Languages', 'Literacy', 'Notation', 'Basic features and syntax', 'Organization of classes', 'Main classes', 'Common auxiliary tables', 'Connecting signs', 'UDC outline', 'Main tables', '0 Science and knowledge. Organization. Computer science. Information. Documentation. Librarianship. Institution. Publications', '1 Philosophy. Psychology', 'Tests of equality of variances', 'History', 'Moment of inertia', 'Semivariance', 'Generalizations', 'For complex variables', 'For vector-valued random variables', 'As a matrix', 'As a scalar', 'See also', 'Shipwreck', 'Murders', 'Rescue', 'Aftermath', 'Wreck', 'Treasure', 'Legacy', 'Media', 'See also', 'References', 'Backness', 'Roundedness', 'Front, raised and retracted', 'Nasalization', 'Phonation', 'Tenseness', 'Tongue root position', 'Secondary narrowings in the vocal tract', 'Rhotic vowels', 'Reduced vowels']]



['Wikipedia: Plymouth Hoe', 'Wikipedia: Russian', 'Wikipedia: Rescuing Prometheus', 'Wikipedia: Robert Johnson', 'Wikipedia: Rhyme', 'Wikipedia: Richard of Saint Victor', 'Wikipedia: Sonic Team', 'Wikipedia: Geography of Suriname', 'Wikipedia: Scylla', 'Wikipedia: Simony', 'Wikipedia: Sid James', 'Wikipedia: Statics', 'Wikipedia: Single-lens reflex camera', 'Wikipedia: Telia Company', 'Wikipedia: Tucana', 'Wikipedia: Test cricket', 'Wikipedia: The Wedding Planner', 'Wikipedia: Tizoc', 'Wikipedia: Politics of Uruguay', 'Wikipedia: Vacuole', 'Wikipedia: Amsterdam (1748)']
[['Antiwar literature of the 20th century', 'Religious attitudes', "Bahá'í Faith", 'Buddhism', 'Peace churches', 'Pentecostal churches', 'Other Christian denominations', 'Hinduism', 'Islam', 'Sufism'], ['History', 'Landmarks', 'References'], ['See also', 'Internationalization', 'See also', 'References'], ['Topography', 'Hydrography', 'Rivers', 'Lakes', 'Climate', 'Location', 'Area', 'Land boundaries', 'Coastline', 'Terrain', 'Conceptual definitions', 'History', 'Origins', 'Early Hinduism, Jainism and Buddhism', 'Rationale', 'Comparison', 'Early Greece', 'Classical Antiquity', 'Celtic paganism', 'Life and career', 'Early life', 'Itinerant musician', 'Sutton Hoo', 'See also', 'References'], ['Life', 'Writings', 'The Book of the Twelve Patriarchs, or Benjamin Minor', 'The Mystical Ark, or Benjamin Major', 'De Trinitate', 'For (near) light', 'Computer software', 'Medical', 'Other', 'Popular culture', 'See also', 'Sultan of Egypt', 'Conquest of Syria', 'Conquest of Damascus', 'Further conquests in Syria', 'Campaign against the Assassins', 'Return to Cairo and forays in Palestine', 'Battles and truce with Baldwin', 'Domestic affairs', 'Imperial expansions', 'Conquest of Mesopotamian hinterland', 'Chemical properties', 'Compounds', 'Oxides', 'Chalcogenides', 'Halides', 'Borides', 'Samarium hexaboride', 'Other inorganic compounds', 'Organometallic compounds', 'Isotopes', 'Industry and trade', 'Agriculture', 'Fishing', 'Energy', 'Demographics', 'Ethnic groups', 'Languages', 'Largest cities', 'Religion', 'Health', 'References'], ['Location', 'Philosophy of space', 'Galileo', 'René Descartes', 'Leibniz and Newton', 'Kant', 'Non-Euclidean geometry', 'Gauss and Poincaré', 'Einstein', 'Mathematics', 'Physics', 'Gallery', 'See also', 'Notes', 'References'], ['References'], ['Catholic Church', 'Early life', 'Career', 'From 1947 to 1964', 'Carry On films', 'Later career', 'Death', 'Barbecue', 'Fried Chicken', 'Pork and Ham', 'Vegetables', 'Rice', 'Sweets and pastries', 'Seafood', 'Southern food in restaurants', 'By region', 'Louisiana Creole cuisine', 'Definitions', 'Political divisions', 'Sovereign states', 'Administrative subdivisions', 'Dependent territories', 'Geographical divisions', 'History', 'Prehistory', 'Hindu and Buddhist kingdoms era', 'Spread of Islam', 'Overview websites', 'Surrealism and politics', 'Surrealist poetry', 'Individual statistics', 'Records set', 'Starting lineups', 'Officials', 'Aftermath', 'References', 'Bibliography'], ['Name', 'Description', 'Swiftness and physical capacity', 'Temperament', 'Health', 'History', 'Breeding in the West', 'Rescue', 'References', 'History', 'Manufacturing', 'Types', 'Blade and stage design', 'Blade design challenges', 'Steam supply and exhaust conditions', 'Casing or shaft arrangements', 'Two-flow rotors', 'Principle of operation and design', 'History', 'Through-the-lens light metering', 'Semi-automatic exposure capabilities', 'Full-program auto-exposure', 'Autofocus', 'History', 'Telia', 'Sonera', 'After the merger of Telia and Sonera', 'Operations', 'Democracy post-1932', 'Government', 'Corruption', 'Foreign relations', 'Political parties and elections', 'Political history of the democratic era', 'Transition to democracy after 1932', '2001–2006, Thaksin Shinawatra', '2006 coup', 'Red shirts, yellow shirts', 'Types of tactical voting', 'Examples in real elections', 'United States', 'United Kingdom', 'Canada', 'Hong Kong', 'Spain', 'Size', 'Skeleton', 'Skin and possible feathers', 'Classification', 'Nanotyrannus', 'Paleobiology', 'Life history', 'Sexual dimorphism', 'Posture', 'Arms', 'Deep-sky objects', 'References'], ['Early history', 'Test status', 'Teams with Test status', 'Statistics', 'Conduct of the game', 'Playing time', 'Sports', 'See also', 'Notes', 'References', 'Further reading'], [], ['Biography', 'Family', '4. Future threats to human prosperity', 'Conclusions', 'Reaction', 'Criticism of the material and methods', 'Criticism of media handling', 'The "unrealistic" critique', 'Support', 'Accusations of scientific dishonesty', 'DCSD investigation', 'MSTI review and response'], ['General', 'Government', 'Military', 'Maps and demographics', 'Tourism and recreation', 'Other', 'School life expectancy (primary to tertiary education)', 'Unemployment, youth ages 15-24', 'Education expenditures', 'See also', 'Notes', 'References', '2 Religion. Theology', '3 Social sciences', '4 Communication', '5 Mathematics. Natural sciences', '6 Applied sciences. Medicine. Technology', '7 The arts. Recreation. Entertainment. Sport', '8 Language. Linguistics. Literature', '9 Geography. Biography. History', 'Common auxiliaries of language. Table 1c', '(0...) Common auxiliaries of form. Table 1d', 'References', 'Overview', 'Discovery', 'Bibliography'], ['Ship', 'Acoustics', 'Prosody and intonation', 'Monophthongs, diphthongs, triphthongs', 'Written vowels', 'Shifts', 'Audio samples', 'Systems', 'Words without vowels', 'Words consisting of only vowels', 'See also']]



['Wikipedia: Plymouth Sound', 'Wikipedia: Rugby union', 'Wikipedia: Riddarfjärden', 'Wikipedia: Demographics of Romania', 'Wikipedia: September 26', 'Wikipedia: Freight transport', 'Wikipedia: Super Bowl XX', 'Wikipedia: Sighthound', 'Wikipedia: United Kingdom', 'Wikipedia: Vasa', 'Wikipedia: V6 engine']
[['Ahmadiyya', 'Jainism', 'Judaism', 'Raëlism', 'Government and political movements', 'Pacifism and abstention from political activity', 'Anarcho-pacifism', 'Opposition to military taxation', 'Criticism', 'See also', 'Tourism', 'Tombstoning', 'See also', 'References'], ['History', 'First internationals', 'World Cup and professionalism', 'See also', 'References', 'Environment', 'See also', 'References', 'Germanic paganism', 'Judaism', 'Taoism', 'European Middle Ages', 'Renaissance and Early Modern period', '19th to 20th centuries', 'Religions and philosophies', 'Buddhism', 'Christianity', 'Early', 'Recording sessions', 'Death', 'Gravesite', 'Devil legend', 'Various accounts', 'Interpretations', 'Musical style', 'Voice', 'Instrument', 'Lyrics', 'Etymology', 'Function of rhyming words', 'Types of rhyme', 'Perfect rhymes', 'General rhymes', 'Identical rhymes', 'Eye rhyme', 'Mind rhyme', 'Classification by position', 'Other Treatises and Works', 'Historiographical contributions', 'Bibliography', 'Translations', 'References', 'Further reading'], ['History', '1990: Formation and Sonic the Hedgehog', '1994–1998: Re-establishment and new intellectual properties', '1999–2003: Dreamcast and Sega restructuring', '2004–present: Reintegration and recent years', 'Sega Studios USA', 'Games', 'Possession of Aleppo', 'Fight for Mosul', 'Wars against Crusaders', 'Capture of Jerusalem', 'Third Crusade', 'Death', 'Family', 'Recognition and legacy', 'Western world', 'Muslim world', 'History', 'Occurrence and production', 'Applications', 'Non-commercial and potential applications', 'Biological role', 'References', 'Bibliography'], ['Education', 'Culture', 'Cuisine', 'Music', 'Cinema', 'Media', 'Hospitality', 'Sport', 'Wrestling', 'Football', 'Area', 'Land boundaries', 'Maritime claims', 'Climate and terrain', 'Terrain', 'Natural resources', 'Water', 'Land use', 'Irrigated land', 'Natural hazards', 'Relativity', 'Cosmology', 'Spatial measurement', 'Geographical space', 'In psychology', 'In the social sciences', 'See also', 'References'], ['Parentage', 'Narratives', "Homer's Odyssey", "Ovid's Metamorphoses", "Keats' Endymion", 'Paintings', 'Notes', 'References', 'In literature', 'Church of England', 'See also', 'Notes', 'References'], ['Personal life', 'Legacy', 'Filmography', 'References', 'Further reading'], ['Lowcountry cuisine', 'Appalachian cuisine', 'See also', 'Notes', 'References', 'Further reading'], ['Trade and foreign colonisation', 'Chinese', 'European', 'Japanese', 'Indian', 'American', 'Contemporary history', 'Geography', 'Boundaries', 'Climate', 'History', 'Vectors', 'Force', 'Moment of a force', 'Moment about a point', "Varignon's theorem", 'Equilibrium equations', 'Moment of inertia', 'Solids', 'Fluids', 'Background', 'Chicago Bears', 'New England Patriots', 'Playoffs', 'Super Bowl pregame hype'], ['Appearance', 'List of sighthound breeds', 'Impulse turbines', 'Blade efficiency', 'Stage efficiency', 'Conclusions on maximum efficiency', 'Reaction turbines', 'Condition of maximum blade efficiency', 'Operation and maintenance', 'Speed regulation', 'Thermodynamics of steam turbines', 'Isentropic efficiency', 'Digital SLRs', 'Optical components', 'Pentaprisms and penta-mirrors', 'Shutter mechanisms', 'Focal-plane shutters', 'Rotary focal-plane shutter', 'Leaf shutters', 'Further developments', 'Film formats', 'Common features', 'Afghanistan', 'Denmark', 'Estonia', 'Finland', 'Latvia', 'Lithuania', 'Norway', 'Sweden', 'Turkey', 'Former operations', '2008 political crisis', '2009–2010 protests and crackdowns', 'Resolution to conflict', '2013 political crisis', 'See also', 'References'], ['Other countries', 'Rational voter model', 'Myerson–Weber strategy', 'Pre-election influence', 'Views on tactical voting', 'Influence of voting method', 'In particular methods', 'Plurality voting', 'Party-list proportional representation', 'Majority judgment', 'Thermoregulation', 'Soft tissue', 'Speed', 'Brain and senses', 'Social behavior', 'Feeding strategies', 'Pathology', 'Paleoecology', 'Cultural significance', 'Notes', 'History', 'Characteristics', 'Features', 'Stars', 'Deep-sky objects', 'Notes', 'References', 'Cited texts'], ['Play', 'Competitions', 'Tours', 'Perpetual trophies', 'International Test rankings', 'World Test Championship', 'Popularity', 'See also', 'References', 'Bibliography', 'Plot', 'Cast and characters', 'Production', 'Casting', 'Locations', 'Reception', 'Box office', 'Reign', 'Death', 'In popular culture', 'See also', 'Notes', 'References'], ['Response of the scientific community', 'Continued debate and criticism', 'Kåre Fog', 'See also', 'Literature', 'References', 'Bibliography'], ['Reviews of the book', 'Etymology and terminology', 'History', 'Prior to the Treaty of Union', 'Kingdom of Great Britain', 'From the union with Ireland to the end of the First World War', 'Interwar years and the Second World War', 'History', 'Constitution', 'Executive branch', 'Legislative branch', 'Judicial branch', 'Direct democracy', 'Political parties and elections', '(1/9) Common auxiliaries of place. Table 1e', '(...) Common auxiliaries of human ancestry, ethnic grouping and nationality. Table 1f====', '"..." Common auxiliaries of time. Table 1g', '-0 Common auxiliaries of general characteristics. Table 1k', 'See also', 'References'], ['Bacteria', 'Plants', 'Fungi', 'Animals', 'Histopathology', 'References'], ['Maiden voyage', 'Shipwreck', 'Ship replica', 'Popular culture', 'References'], ['Notes', 'References', 'Bibliography'], []]



['Wikipedia: Piet Hein', 'Wikipedia: Quentin Tarantino', 'Wikipedia: Random access', 'Wikipedia: Rose', 'Wikipedia: Sex', 'Wikipedia: Sámi people', 'Wikipedia: History of Senegal', 'Wikipedia: Demographics of Suriname', 'Wikipedia: Spanish cuisine', 'Wikipedia: September 22', 'Wikipedia: Second Coming', 'Wikipedia: Southern Cross (disambiguation)', 'Wikipedia: Economy of Thailand', 'Wikipedia: Tollund Man', 'Wikipedia: Triangulum Australe', 'Wikipedia: Thucydides', 'Wikipedia: The Problem of Pain', 'Wikipedia: Tim Berra', 'Wikipedia: Type IX submarine', 'Wikipedia: Tricyclic antidepressant', 'Wikipedia: Economy of Uruguay', 'Wikipedia: Ultima (series)', 'Wikipedia: Verlan', 'Wikipedia: Visual cortex']
[['References', 'Further reading'], ['Notable events'], ['References', 'Teams and positions', 'Forwards', 'Front row', 'Second row', 'Back row', 'Backs', 'Half-backs', 'Three quarters', 'Full-back', 'Laws', 'Seasons', 'See also'], ['Population', 'Population evolution', 'Ethnic groups', 'Origins', 'Vital statistics', 'Total Fertility Rate from 1850 to 1899', 'Before WWI', 'Between WWI and WWII', 'After WWII', 'Current vital statistics', 'Druze', 'Hinduism', 'Islam', 'Ghulat sects', 'Jainism', 'Ho-Chunk', 'Sikhism', 'New religious and spiritual movements', 'Spiritism', 'Theosophy', 'Playback speed hypothesis', 'Influences', 'Legacy', 'Rock and roll', 'Rock music and related genres', 'Guitar technique', 'Problems of biography', 'Photographs', 'Descendants', 'Other Robert Johnsons', 'History', 'Rhyme in various languages', 'Celtic languages', 'Chinese', 'English', 'French', 'German', 'Greek', 'Hebrew', 'Latin', 'Etymology', 'Botany', 'Species', 'Uses', 'Ornamental plants', 'Cut flowers', 'Notes', 'References'], ['Cultural depictions of Saladin', 'Novels', 'Film, television and animation', 'Video games', 'Visual art', 'See also', 'References', 'Bibliography', 'Primary sources', 'Secondary sources', 'Etymologies', 'Sámi', 'Finn', 'Lapp', 'History', 'Basketball', 'Motorsport', 'See also', 'References', 'Further reading'], ['Environment', 'Current issues', 'Climate change', 'International agreements', 'Extreme points'], ['History', 'Spain as a territory of the Roman Empire', 'Middle Ages', 'New World', 'Bibliography'], ['Events', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['Modes of shipment', 'Ground', 'Ship', 'Air', 'Intermodal', 'Terms of shipment', 'Door-to-door shipping', 'Terminology', 'Specific date predictions and claims', 'Christian eschatological views', 'Early Christianity', 'Preterism', 'Catholic and Orthodox', 'Environment', 'Economy', 'Demographics', 'Ethnic groups', 'Religion', 'Languages', 'Cities', 'Culture', 'Influences', 'Arts', 'See also', 'Notes', 'References'], ['Broadcasting', 'Entertainment', 'Game summary', 'First quarter', 'Second quarter', 'Third quarter', 'Fourth quarter', 'Box score', 'Final statistics', 'Statistical comparison', 'Crossbred sighthound types', 'Breeds considered to be controversial, not having by origin a sighthound function', 'Kennel club classification', 'See also', 'References', 'Further reading'], ['Direct drive', 'Marine propulsion', 'Early development', 'Cruising machinery and gearing', 'Turbo-electric drive', 'Current usage', 'Locomotives', 'Testing', 'See also', 'References', 'Advantages', 'Disadvantages', 'Reliability', 'Price and affordability', 'Future of SLRs', 'See also', 'References', 'Further reading'], ['Azerbaijan', 'Cambodia', 'Georgia', 'Kazakhstan', 'Nepal', 'Russia', 'Spain', 'Tajikistan', 'Moldova', 'Uzbekistan', 'Kingdom of Thailand budget', 'History', 'Before 1945', 'After 1945', '1945–1955', '1955–1985', 'Approval voting', 'Score voting', 'Instant runoff voting', 'Condorcet', 'Borda', 'Single transferable vote', 'See also', 'References', 'Resources'], ['References', 'Further reading'], ['Exhibits', 'History', 'Characteristics', 'Notable features', 'Bright stars'], ['Life', 'Evidence from the Classical period', 'Critical reception', 'References'], ['References', 'History', 'Medical uses', 'Clinical depression', 'Attention-deficit hyperactivity disorder', 'Postwar 20th century', '21st century', 'Geography', 'Climate', 'Administrative divisions', 'Dependencies', 'Politics', 'Government', 'Devolved administrations', 'Law and criminal justice', 'International organization participation', 'References'], ['Games', 'Main series', 'The Age of Darkness: Ultima\xa0I–III', 'The Age of Enlightenment: Ultima\xa0IV–VI', 'The Age of Armageddon: Ultima\xa0VII–IX', 'Collections', 'Word formation', 'Vocabulary', 'Double verlan', 'Cultural significance', 'See also', 'References', 'Places', 'Other uses', 'See also', 'Design', 'Balance and smoothness', 'Cylinder bank angles', '10 to 15 degrees', '60 degrees', '90 degrees', '120 degrees', 'Other angles', 'Use in automobiles']]



['Wikipedia: Proteinoid', 'Wikipedia: Racism', 'Wikipedia: Sophocles', 'Wikipedia: Solitaire', 'Wikipedia: Samaritans', 'Wikipedia: Sidon', 'Wikipedia: Salute', 'Wikipedia: Scottish Deerhound', 'Wikipedia: Sardinia', 'Wikipedia: SAS', 'Wikipedia: Telefónica', 'Wikipedia: Tetraodontiformes', 'Wikipedia: Telescopium', 'Wikipedia: Teaspoon', 'Wikipedia: Virtual machine', 'Wikipedia: Vehmic court']
[['People', 'Ships', 'History', 'Early life', 'Career', 'Late 1970s to 1988: Education, first jobs, and early projects', '1990s: Breakthrough', '2000s: Subsequent success', '2010s: Established auteur', 'As producer', 'Unproduced and potential films', 'Scoring', 'Playing field', 'Match structure', 'Passing and kicking', 'Breakdowns', 'Set pieces', 'Lineout', 'Scrum', 'Officials and offences', 'Replacements and substitutions', 'References', 'See also', 'Etymology, definition and usage', 'Life expectancy 1950–2015', 'Birth rates by counties', 'Largest urban agglomerations', 'Demographics statistics', 'Age structure', 'Median age', 'Birth rate', 'Death rate', 'Total fertility rate', 'Net migration rate', 'Anthroposophy', 'Modern astrology', 'Meher Baba', 'Wicca', 'Western world', 'Investigations of children who seem to remember a past life', 'Skepticism', 'See also', 'References', 'Bibliography', 'Discography', 'Awards and recognitions', 'Grammy Awards', 'Grammy Hall of Fame', 'National Recording Registry', 'Rock and Roll Hall of Fame', 'Blues Foundation awards', 'Honors and inductions', 'Tribute albums', 'References', 'Portuguese', 'Russian', 'Spanish', 'Polish', 'Arabic', 'Sanskrit', 'Tamil', 'Vietnamese', 'See also', 'Notes', 'Perfume', 'Food and drink', 'Medicine', 'Art and symbolism', 'Pests and diseases', 'See also', 'References'], ['Overview', 'Evolution', 'Sexual reproduction', 'Animals', 'Plants', 'Fungi', 'Sex determination', 'Genetic', 'Nongenetic', 'Sexual dimorphism', 'Further reading'], ['Life', 'Relationship between the Sámi and the Scandinavians', 'Southern limits of Sámi settlement in the past', 'Origins of the Norwegian Sea Sámi', 'Bubonic plague', 'Fishing industry', 'Mountain Sámi', 'Post-1800s', 'Contemporary', 'Natural-resource prospecting', 'Mining', 'Paleolithic', 'Neolithic', 'Prehistory', 'Kingdoms and Empires', 'The era of trading posts and trafficking', 'The Portuguese navigators', 'The Dutch West India Company', 'Population', 'Total and Percent Distribution of Population by Age (Censuses 2004 & 2012)', 'Structure of the population  ===', 'Vital statistics', 'Births and deaths', 'Ethnic groups', 'Fertility rate by ethnic group', 'Meal routines', 'Spanish regional variation', 'Andalusia', 'Aragon', 'Asturias', 'Balearic Islands', 'Basque Country', 'Canary Islands', 'Cantabria', 'Castile-La Mancha', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['Etymology', 'Origins', 'Samaritan sources', 'Jewish sources', 'See also', 'References'], ['Protestant', 'The Church of Jesus Christ of Latter-day Saints', 'Seventh-day Adventists', "Jehovah's Witnesses", 'Emanuel Swedenborg and the New Church', 'Esoteric Christian teachings', 'Islam', 'Traditional view', 'Ahmadiyya', 'Other views and commentaries', 'Music', 'Writing', 'See also', 'Notes', 'References', 'Citations', 'Sources', 'Further reading'], ['Businesses', 'Education', 'Heraldry', 'Music', 'Newspapers', 'Places', 'Television', 'Transport', 'Ships', 'Individual statistics', 'Records Set', 'Starting lineups', 'Officials', 'References'], ['History', 'Description', 'Temperament', 'Health', 'Miscellaneous', 'Notable Scottish Deerhounds', 'Notes', 'Sources', 'Further reading'], ['Organizations', 'Military', 'Brands and enterprises', 'Education', 'Evolution of the Telia brand', 'Controversies', 'References'], ['1985–1997', '1997–2006', '2006 to 2011', '2012–2014', 'Post-2014 coup', 'Thailand 4.0', 'Macroeconomic trends', 'Gross domestic product (GDP)', 'Per capita GDP', 'Poverty and inequality', 'Description', 'Families', 'Fossil families', 'Discovery', 'Scientific examination and conclusions', 'Display', 'Other bodies', 'In popular culture', 'Further reading', 'References', 'Sources'], ['Variable stars', 'Deep-sky objects', 'See also', 'References'], ['Later sources', 'The History of the Peloponnesian War', 'Philosophical outlook and influences', 'Critical interpretation', 'Versus Herodotus', 'See also', 'Notes', 'References and further reading', 'Primary sources', 'Secondary sources', 'Summary', 'Relation to other works', 'See also', 'References', 'Further reading'], ['Type IXA', 'List of Type IXA submarines', 'Type IXB', 'List of Type IXB submarines', 'Type IXC', 'List of Type IXC submarines', 'Type IXC/40', 'List of Type IXC/40 submarines', 'Chronic pain', 'Side effects', 'Discontinuation', 'Overdose', 'Interactions', 'Pharmacology', 'Binding profiles', 'Chemistry', 'Society and culture', 'Recreational use', 'Foreign relations', 'Military', 'Economy', 'Overview', 'Science and technology', 'Transport', 'Energy', 'Water supply and sanitation', 'Demographics', 'Ethnic groups', 'History', 'Currency', 'Sectors', 'Agriculture, Textiles and Leather', 'Energy', 'Mining', 'Plastics', 'Telecommunications', 'Travel & Tourism', 'Specialties of Uruguay', 'Spin-offs and other games', 'Console games', 'Console ports of computer games', 'Original console games', 'Ultima Online MMORPG', 'Lord of Ultima', 'Ultima Forever: Quest for the Avatar', 'Other media', 'Packaging', 'Copy protection measures'], ['Definitions', 'System virtual machines', 'Introduction', 'Psychological model of the neural processing of visual information', 'Ventral-dorsal model', 'Primary visual cortex (V1)', 'Function', 'V2', 'Third visual cortex, including area V3', 'Motor racing', 'Use in marine vessels', 'Use in motorcycles', 'See also', 'References']]



['Wikipedia: Permanent Court of International Justice', 'Wikipedia: Robert Noyce', 'Wikipedia: Receptive aphasia', 'Wikipedia: Rhythm', 'Wikipedia: Roman Curia', 'Wikipedia: Star', 'Wikipedia: Politics of Suriname', 'Wikipedia: Supercontinent', 'Wikipedia: Maritime transport', 'Wikipedia: Sloughi', 'Wikipedia: Thesaurus', 'Wikipedia: Ted Turner', 'Wikipedia: Truth and Reconciliation Commission (South Africa)', 'Wikipedia: International Obfuscated C Code Contest', 'Wikipedia: Ted Williams']
[['Polymerization', 'Legacy', 'See also', 'References', 'Further reading', 'Influences and style of filmmaking', 'Early influences', 'Style', 'Controversies', 'Gun violence', 'Racial slurs', 'Harvey Weinstein', 'Kill Bill car crash', 'Roman Polanski', 'Bruce Lee', 'Equipment', 'Governing bodies', 'Global reach', 'Oceania', 'North America and Caribbean', 'Europe', 'South America', 'Asia', 'Africa', "Women's rugby union", 'Legal', 'Social and behavioral sciences', 'Humanities', 'Popular usage', 'Aspects', 'Aversive racism', 'Color blindness', 'Cultural', 'Economic', 'Institutional', "Mother's mean age at first birth", 'Population growth rate', 'Urban-rural ratio', 'Sex ratio', 'Infant mortality rate', 'Life expectancy at birth', 'Literacy', 'School life expectancy (primary to tertiary education)', 'Unemployment, youth ages 15-24', 'Nationality', 'Further reading'], ['Early life', 'Bibliography'], ['Signs and symptoms'], ['Anthropology', 'Terminology', 'Historical background', 'Terminology', 'Secretariats', 'Secretariat of State', 'Secretariat for the Economy', 'See also', 'References', 'Further reading'], ['Sexuality', 'Works and legacy', 'Theban plays', 'Subjects', 'Composition and inconsistencies', 'Other plays', 'Fragmentary plays', "Sophocles' view of his own work", 'See also', 'Notes', 'Logging', 'Military activities', 'Land rights', 'Water rights', 'Climate change and environment', 'Tourism', 'Discrimination against the Sámi', 'Official Sámi policy', 'Norway', 'Sweden', 'Against the backdrop of Anglo-French rivalry', 'A trading economy', 'The progressive weakening of the colony', 'Modern colonialism', 'List of deputies elected to the French Parliament', 'Independence', '1980–2017', 'See also', 'References', 'Further reading', 'Languages', 'Religion', 'References', 'Castile and León', 'Catalonia', 'La Rioja', 'Extremadura', 'Galicia', 'Madrid', 'Murcia', 'Navarra', 'Valencia', 'Customs', 'History', 'Rules', 'Types of games', 'See also'], ['References', 'Dead Sea scrolls', 'Assyrian account of the conquest and settlement of Samaria', 'History', 'Iron Age', 'Persian period', 'Hellenic era', 'Antiochus IV Epiphanes and Hellenization', 'Hasmonean influence', 'Roman period', 'Early Roman era', 'Name', 'History', 'Prehistory', 'Phoenicia in early classical antiquity', 'Hellenistic period', 'Roman period', 'Crusader-Ayyubid period', 'Ottoman period', 'After World War I', 'Politics', "Baha'i Faith", 'Judaism', 'Rastafari', "Paramahansa Yogananda's commentary", 'In modern culture', 'See also', 'References', 'Bibliography'], ['Supercontinents throughout geologic history', 'General chronology', 'Supercontinent cycles', 'Supercontinents and volcanism', 'Other uses', 'See also', 'Description', 'Military salutes', 'Hand salutes', 'Origin', 'Small arms salutes', 'Heavy arms: gun salutes', 'Naval cannon fire', 'United States Army Presidential Salute Battery', 'See also', 'References', 'Further reading'], ['Etymology', 'Geography', 'Climate', 'History', 'Prehistory', 'Nuragic civilization', 'Ancient history', 'Vandal conquest', 'Byzantine era and the rise of the Judicates', 'Asia', 'Europe', 'North America', 'International', 'Healthcare', 'Politics', 'Arts, entertainment, and media', 'People', 'Places', 'Science, technology, and mathematics', 'History', 'Ownership', 'Current operations', 'Europe', 'Spain', 'Germany', 'United Kingdom', 'Proposed merger of o2 with Virgin Media', 'France', 'Industries', 'SMEs', 'Agriculture, forestry and fishing', 'Industry and manufacturing', 'Electrical and electronics', 'Automotive', 'Gems and jewelry', 'Energy', 'Services', 'Banking and finance', 'Timeline of genera', 'References', 'Etymology', 'Early life', 'Business career', 'WTBS', 'History', 'Characteristics', 'Features', 'Stars', 'Black hole', 'Deep sky objects', 'See also', 'Notes'], ['Creation and mandate', 'Committees', 'Cutlery', 'Culinary measure', 'Metric teaspoon', 'United States customary unit', 'Dry ingredients', "Apothecaries' measure", 'See also', 'Type IXD', 'List of Type IXD submarines', 'See also', 'References', 'Bibliography', 'List of TCAs', 'References', 'Further reading'], ['Languages', 'Religion', 'Migration', 'Education', 'Health', 'Culture', 'Literature', 'Music', 'Visual art', 'Cinema', 'Trade Agreements', 'Raw Data', 'Uruguay in the world', 'See also', 'Notes', 'References'], ['Common elements', 'Setting', 'Virtues', 'Characters', 'Artificial scripts and language', 'Reception', 'Impact and legacy', 'Shroud of the Avatar: Forsaken Virtues', 'References', 'Notes', 'Process virtual machines', 'History', 'Full virtualization', 'Hardware-assisted virtualization', 'Operating-system-level virtualization', 'See also', 'References', 'Further reading'], ['V4', 'Connections', 'Functional organization', 'V6', 'Properties', 'Pathways', 'See also', 'References'], ['Etymology', 'Origin', 'Membership and procedure', 'The spread of the Vehmic courts', 'Decline and dissolution of the Courts', 'Modern use of the term', 'The Vehmic courts in fiction', 'See also']]



['Wikipedia: Politics of Romania', 'Wikipedia: Salinity', 'Wikipedia: Geography of Senegal', 'Wikipedia: Santiago de Compostela', 'Wikipedia: Glossary of patience terms', 'Wikipedia: Serialization', 'Wikipedia: Trivium', 'Wikipedia: Tablespoon', 'Wikipedia: Telecommunications in Uruguay', 'Wikipedia: Urethra', 'Wikipedia: Virtual memory', 'Wikipedia: Velociraptor', 'Wikipedia: Violette Szabo']
[['History', 'Founding and early years', 'Increasing work', 'United States never joins', 'Growing international tension and dissolution of the court', 'Organisation', 'Judges', 'Procedure', 'Personal life', 'Filmography', 'Recurring collaborators', 'Awards and accolades', 'See also', 'References', 'Further reading'], ['Rugby World Cup', 'Regional tournaments', 'Rugby within multi-sport events', "Women's international rugby", 'Professional rugby union', 'Variants', 'Influence on other sports', 'Statistics and records', 'In culture', 'See also', 'Othering', 'Racial discrimination', 'Racial segregation', 'Supremacism', 'Symbolic/modern', 'Subconscious biases', 'International law and racial discrimination', 'Ideology', 'Ethnicity and ethnic conflicts', 'Ethnic and racial nationalism', 'Immigration', 'Religion', 'See also', 'Notes', 'References'], ['Education', 'Career', 'Personal life', 'Death', 'Awards and honors', 'Legacy', 'Patents', 'Notes', 'Citations', 'References', 'Causes', 'Diagnosis', 'Treatment', 'Role of neuroplasticity in recovery', 'Auditory comprehension treatment', 'Word retrieval', 'Restorative therapy approach', 'Social approach to treatment', 'Prognosis', 'See also', 'Pulse, beat and measure', 'Unit and gesture', 'Alternation and repetition', 'Tempo and duration', 'Metric structure', 'African music', 'Indian music', 'Western music', 'Linguistics', 'References', 'Dicasteries', 'Dicastery for the Laity, Family and Life', 'Dicastery for Promoting Integral Human Development', 'Dicastery for Communications', 'Congregations', 'Congregation for the Doctrine of the Faith', 'Congregation for the Oriental Churches', 'Congregation for Divine Worship and the Discipline of the Sacraments', 'Congregation for the Causes of Saints', 'Congregation for the Evangelization of Peoples', 'Observation history', 'Designations', 'Units of measurement', 'Formation and evolution', 'Star formation', 'Main sequence', 'Post–main sequence', 'Massive stars', 'References'], ['Definitions', 'Finland', 'Russia', 'Nordic', 'Culture', 'Duodji (craft)', 'Clothing', 'Media and literature', 'Music', 'Education', 'Festivals and markets', 'English Language', 'French language', 'Primary sources', 'Secondary sources'], ['Executive branch', 'Legislative branch', 'Political parties and elections', 'Judicial branch', 'Administrative divisions', 'See also', 'Notes', 'References', 'Notable Spanish chefs', 'See also', 'References'], ['Deal terms', 'Layout', 'Building', 'Play', 'Additional terms', 'Byzantine times', 'Middle Ages', 'Ottoman rule', 'British Mandate', 'Israeli, Jordanian and Palestinian rule', 'Genetic studies', 'Demographic investigation', 'Y-DNA and mtDNA comparisons', 'Demographics', 'Figures', 'Impact on Sidon of regional underdevelopment', 'The Former Makab (waste dump) and the Treatment Plant', 'Local government', 'Demographics', 'Main sights', 'Education', 'Archaeology', 'The Biblical Sidon', 'Sanchuniathon', 'International relations', 'Uses', 'Drawbacks', 'Serialization formats', 'Programming language support', 'Supercontinents and plate tectonics', 'Supercontinental climate', 'Glacial', 'Precipitation', 'Temperature', 'Milankovitch cycles', 'Proxies', 'Supercontinents and atmospheric gases', 'See also', 'References', 'Liners and tramps', 'Ships and Watercraft', 'Typical in-transit times', 'History', 'Professional mariners', 'Deck department', 'Engine department', "Steward's department", 'Other departments', 'Life at sea', 'Aerial salute', 'Military salutes in different countries', 'Australia and New Zealand', 'British military', 'British Army', 'Royal Air Force', 'Royal Navy', 'Royal Marines', 'In the colonial context', 'Canadian military', 'Appearance', 'Temperament', 'Health', 'History', 'Notes', 'References'], ['Aragonese period', 'Spanish period', 'Savoyard period', 'Post-Second World War period', 'Mythology', 'Education', 'Economy', 'Unemployment', 'Economic sectors', 'Primary', 'Biology and medicine', 'Computing', 'Space', 'Other uses in science, technology, and mathematics', 'Sport', 'Transportation', 'Other uses', 'See also', 'Americas', 'Argentina', 'Brazil', 'Chile', 'Colombia', 'Costa Rica', 'Dominican Republic', 'Ecuador', 'Guatemala', 'Panama', 'Retail', 'Tourism', 'Labor', 'Foreign trade', 'Regional economies', 'Isan', 'Special Economic Zones (SEZ)', 'Shadow economy', 'See also', 'Further reading', 'History', 'Organization', 'Conceptual', 'Alphabetical', 'Contrasting senses', 'Additional elements', 'Bilingual', 'Information science and natural language processing', 'See also', 'Bibliography', 'CNN', 'Turner Doomsday Video', 'Other ventures', 'Time Warner merger', 'Rivalry with Murdoch', 'Atlanta Braves', 'Awards and honors', 'Politics', 'Curbing population growth', 'Controversial comments', 'References', 'Etymology', 'Description', 'Process', 'Numbers', 'Significance and impact', 'Media coverage', 'In the arts and popular culture', 'Film', 'Documentary film', 'Feature film', 'Theatre', 'Fiction', 'References'], ['Dining', 'History', 'Rules', 'Obfuscations employed', 'Examples', 'Toledo Nanochess', 'Pi', 'Flight simulator', 'See also', 'Early life', 'Professional career', 'Minor leagues (1936–1938)', 'Major leagues (1939–1942, 1946–1960)', '1939–1940', '1941', '1942–1945', 'U.S. Navy and U.S. Marine Corps', 'Service baseball', 'Cuisine', 'Media', 'Philosophy', 'Sport', 'Symbols', 'See also', 'Notes', 'References'], ['Radio and television', 'Telephones', 'Internet', 'Fiber to the home', 'ADSL', 'Fixed wireless'], ['Structure', 'Male', 'Properties', 'Usage', 'History', 'Paged virtual memory', 'History of discovery', 'Description', 'Feathers', 'Classification', 'References', 'Notes'], []]



['Wikipedia: Prince Albert (genital piercing)', 'Wikipedia: Riboflavin', 'Wikipedia: Saxifragales', 'Wikipedia: Demographics of Senegal', 'Wikipedia: Sambo', 'Wikipedia: Seneca Lake (New York)', 'Wikipedia: Spam (food)', 'Wikipedia: Stephen Bachiler', 'Wikipedia: Steve Ballmer', 'Wikipedia: Tanka', 'Wikipedia: Tatting', 'Wikipedia: The Seekers', 'Wikipedia: Terran', 'Wikipedia: Vexatious litigation', 'Wikipedia: Visigoths', 'Wikipedia: Visual flight rules']
[['Healing and potential side effects', 'Jewelry', 'History and culture', 'See also', 'References', 'Method 3', 'Method 4', 'Example 1', 'Example 2', 'Continuous Probability Distributions', 'Outliers', 'Computer Software for Quartiles', 'See also', 'References'], ['Format', 'Qualification', 'Tournament', 'History', 'Trophy', 'Selection of hosts', 'Tournament growth', 'Theories about the origins of racism', 'State-sponsored racism', 'Anti-racism', 'See also', 'References and notes', 'Further reading'], ['Chamber of Deputies', 'Senate', 'Local election', 'Judicial branch', 'Constitutional issues', 'Regional institutions', 'Since 1989', '1990–1992', '1992–1996', '1996–2000', 'Specific values', 'Euler product formula', "Riemann's functional equation", 'Zeros, the critical line, and the Riemann hypothesis', 'The Hardy–Littlewood conjectures', 'Zero-free region', 'Other results', 'Various properties', 'Reciprocal', 'Universality', 'Biblical background', 'Biblical narrative', 'Civil war', 'Egyptian invasion', 'Succession', 'Rabbinic literature', 'Biblical chronology', 'References', 'People', 'Other', 'Definition', 'Pontifical Council for Legislative Texts', 'Pontifical Council for Interreligious Dialogue', 'Pontifical Council for Culture', 'Pontifical Council for Promoting the New Evangelization', 'Offices', 'Apostolic Camera', 'Administration of the Patrimony of the Apostolic See', 'Prefecture for the Economic Affairs of the Holy See', 'Pontifical commissions', 'Pontifical Commission for the Cultural Heritage of the Church', 'Rotation', 'Temperature', 'Radiation', 'Luminosity', 'Magnitude', 'Classification', 'Variable stars', 'Structure', 'Nuclear fusion reaction pathways', 'See also', 'Description', 'Taxonomy', 'History', 'Phylogeny', 'Biogeography and evolution', 'Division by occupation', 'Division by country', 'Sámi immigration outside of Sápmi', 'Organization', 'Sámi Parliaments', 'Norwegian organizations', 'Swedish organizations', 'Finnish organizations', 'Russian organizations', 'Border conflicts', 'Population', 'Vital statistics', 'Fertility and births', 'Politics', 'Oil', 'Hardwood', 'Banana', 'Other exports', 'Currency', 'Statistics', 'See also', 'References'], ['Legends', 'Establishment of the shrine', 'Pre-Christian legends', 'In popular culture', 'Main sights', 'Transport', 'Airport', 'Railway', 'Sports teams', 'Notable people', 'In literature', 'In philosophy', 'In art', 'In music', 'References', 'See also', 'See also', 'References', 'Further reading'], ['History', 'International usage', 'United States and territories', 'History', 'Antiquity', 'Early modern mixed government', 'Tripartite System', "Montesquieu's separation of powers system", 'Checks and balances', 'Comparison between tripartite and bipartite national systems', 'Typical branches', 'Additional branches', 'Three branches', 'Operation', 'Multiplication', 'Division', 'Other operations', 'Roots and powers', 'Roots of Quadratic Equations', 'Trigonometry', 'Logarithms and exponentials', 'Addition and subtraction', 'Generalizations', 'History', 'Economy', 'Demographics', 'Government', 'Culture', 'Geography', 'Main sights', 'Polish military', 'Swedish military', 'Swiss Armed Forces', 'Turkish Armed Forces', 'United States military', 'Zogist salute', 'Non-military services', 'Canadian police', 'Non-police', 'Hong Kong', 'Roles', 'Hunting use', 'Galgos as pets', 'References'], ['Foreign immigration', 'Main cities and Functional Urban Areas', 'Government and politics', 'Administrative divisions', 'Military installations', 'Culture', 'Architecture', 'Art', 'World Heritage Sites', 'Languages', 'Base 36 as senary compression', 'See also', 'Related number systems', 'References'], ['Italy', 'Central and South America', 'Telefónica Business Solutions', 'Financial data', 'Sponsorship', 'Football', 'Rugby', 'Cycling', 'Motor sports', 'Sailing', 'Fixed-line', 'Mobile networks', 'Mobile Virtual Network Aggregator', 'Numbering', 'Telephone system', 'Radio', 'Television', 'Internet', 'Submarine cables', 'Satellite', 'Association with Alcibiades and the Thirty Tyrants', 'Support of oligarchic rule and contempt for Athenian democracy', 'Historical descriptions of the trial', 'Trial', 'Interpretations of the trial of Socrates', 'Ancient', 'Contemporary', 'See also', 'References', 'Further reading', 'Etymology', 'Form', 'History', 'Modern', 'Poetic culture', 'Terminology', 'Scriptural basis', 'Background and setting', "Prediction of Judas' betrayal", 'Institution of the Eucharist', "Prediction of Peter's denial", 'Elements unique to the Gospel of John', 'Time and place', 'Date', 'Location', 'Technique and materials', 'Shuttle tatting', 'Needle tatting', 'Cro-tatting', 'Materials', 'Patterns', 'Early years', 'Discovery in the United Kingdom', 'String of hits', 'Return to Australia and breakup', 'Reunions in the 1970s and 1980s', 'In a changing world', 'See also', 'References', 'Further reading', 'Post-retirement', 'Personal life', 'Death', 'Awards and recognition', 'Legacy', 'Career statistics', 'Military and civilian decorations and awards', 'See also', 'Notes', 'References', 'Economics', 'Religious utopias', 'Science and technology', 'Feminism', 'Utopianism', 'Golden Age', 'Arcadia', 'The Biblical Garden of Eden', 'The Land of Cockaigne', 'The Peach Blossom Spring', 'Railways', 'Passenger services', 'International links', 'Future', 'Roadways', 'National Roads', 'Motorways', 'Catheterisation', 'Other animals', 'History', 'Additional images', 'See also', 'References'], ['References'], ['History of legislation against vexatious litigation', 'Nomenclature: Vesi, Tervingi, Visigoths', 'Etymology of Tervingi and Vesi/Visigothi', 'History', 'Media', 'Notes', 'Footnotes', 'References'], []]



['Wikipedia: Pacific Overtures', 'Wikipedia: Recursion', 'Wikipedia: Economy of Romania', 'Wikipedia: Romano Mussolini', 'Wikipedia: Transport in Suriname', 'Wikipedia: Sailing', 'Wikipedia: Strait of Gibraltar', 'Wikipedia: Styx', 'Wikipedia: Soap (disambiguation)', 'Wikipedia: The Silence of the Lambs (film)', 'Wikipedia: Thomas More', 'Wikipedia: Tunguska event', 'Wikipedia: Tachi', 'Wikipedia: History of the United Kingdom', 'Wikipedia: Armed Forces of Uruguay', 'Wikipedia: United States Virgin Islands', 'Wikipedia: Veit Stoss']
[['Songs', 'Productions', 'Reception', 'Awards and nominations', 'References'], ['Quadratic formula and its derivation', 'Reduced quadratic equation', 'Discriminant', 'Geometric interpretation', 'Quadratic factorization', 'Graphical solution', 'Avoiding loss of significance', 'Examples and applications', 'History', 'Advanced topics', 'Printed sources', 'Notes', 'Citations'], ['Models of human evolution', 'Biological classification', 'Subspecies', 'Ancestrally differentiated populations (clades)', 'Clines', 'Genetically differentiated populations', 'Distribution of genetic variation', 'Cluster analysis', 'Clines and clusters in genetic variation', 'Social constructions', 'History', 'Before World War II', 'The communist period', 'Globally convergent series', 'Series representation at positive integers via the primorial', 'Series representation by the incomplete poly-Bernoulli numbers', 'The Mellin transform of the Engel map', 'Numerical algorithms', 'Applications', 'Infinite series', 'See also', 'Notes', 'References', 'Voltage levels', 'Cables', '3-wire and 5-wire RS-232', 'Data and control signals', 'Ring Indicator', 'RTS, CTS, and RTR', 'Seldom-used features', 'Signal rate selection', 'Loopback testing', 'Timing signals', 'Sources', 'Other animals', 'Chemistry', 'Industrial uses', 'Industrial synthesis', 'History', 'Research', 'See also', 'References'], ['Notes', 'References', 'Further reading'], ['Gameplay', 'Resource management', 'Base construction', 'Multiplayer', 'Synopsis', 'Setting', 'Characters', 'Story', 'Development', 'Music', 'Tetracarpaeaceae', 'Penthoraceae', 'Haloragaceae', 'Iteaceae', 'Grossulariaceae', 'Saxifragaceae', 'Cynomoriaceae', 'Distribution and habitat', 'Conservation', 'Uses', 'Genetic studies', 'History of scientific research carried out on the Sámi', 'Notable people of Sámi descent', 'Science', 'Explorers and adventurers', 'Literature', 'Film and theatre', 'Politics and society', 'Sports', 'Other', 'Population growth rate', "Mother's mean age at first birth", 'Contraceptive prevalence rate', 'Net migration rate', 'Dependency ratios', 'Urbanization', 'Life expectancy at birth', 'Religions', 'Maternal mortality ratio', 'Drinking water source', 'Internet', 'Internet censorship and surveillance', 'See also', 'References'], ['History', 'Physics', 'Apparent wind velocity', 'Lift and drag on sails', 'Lift predominance (wing mode)', 'Early history', 'Modern practice', 'Savate in the USA', 'Dress', 'Techniques', 'Kicks', 'Punches', 'Sampson Navy and Air Force bases', 'Water quality buoy', 'Wine', 'Transport', 'References'], ['South Korea', 'Middle East', 'In popular culture', 'Spam celebrations', 'Nutritional data', 'Varieties', 'See also', 'References'], ['Malaysia', 'Netherlands', 'Nepal', 'Norway', 'Pakistan', 'Turkey', 'United Kingdom', 'United States', 'Other systems', 'Belgium', 'Contemporary usage', 'Collections', 'See also', 'Notes'], ['Demography', 'Population development', 'Residents with a foreign background', 'Industry', 'International relations', 'Twin towns – Sister cities', 'References'], ['Thailand', 'Roman salute', 'Airline industry', 'One-finger salute', 'Clenched fist salute', 'Greetings', 'Obeisances', 'Marching bands and Drum & Bugle Corps', 'United Kingdom and the Commonwealth of Nations', 'United States', 'Notes', 'References'], ['Traditional sports', 'Environment', 'Fauna', 'Beaches', 'Natural parks and reserves', 'See also', 'References', 'Further reading'], ['Apple', 'Free and open source software', 'Google', 'Sports', 'Wealth', 'Philanthropy', 'USAFacts', 'Personal life', 'References'], ['Plot', 'Cast', 'Production', 'Development', 'Casting', 'Rail transport', 'Rail rapid transit systems', 'Bangkok Metropolitan Region', 'Khon Kaen', 'Other Provinces', 'Road transport', 'Road safety', 'National speed limits', 'Public bus service', 'Public bus service in Bangkok', 'Scoring', 'Infinite game debate', 'Easy spin dispute', 'History', 'Conception', 'Acquisition of rights by Mirrorsoft and Spectrum HoloByte', 'Acquisition of rights by Nintendo and legal battle', 'Commercial success and acquisition of rights by Pajitnov', 'Versions', 'Computational complexity', 'Early life', 'Spiritual life', 'Family life', 'Early political career', 'Chancellorship', 'Campaign against the Protestant Reformation', 'Description', 'Selected eyewitness reports', 'Scientific investigation', 'Earth impactor model', 'Background', 'Stipulations', 'Summary of Contents of Treaty', 'Borders', 'Agreements', 'Aftermath', 'Debate', 'See also', 'Notes and references', 'Studio albums', 'Live albums', 'Charting compilation albums', 'CD box set', 'See also', 'References'], ['History and description', 'Use', 'Gallery', 'See also', 'References'], ['Career', '1976–1982', '2005–2010', 'Personnel', 'Members', 'Lineups', 'Timeline', 'Discography', 'Studio albums', '18th century', 'Birth of the Union', 'Hanoverian kings', 'South Sea Bubble', 'Robert Walpole', 'Army (Ejército Nacional)', 'Navy (Armada Nacional)', 'Air Force (Fuerza Aérea Uruguaya)', 'See also', 'Epidemiology', 'References'], ['Ireland', 'New Zealand', 'United Kingdom', 'England and Wales', 'Civil restraint orders', 'Vexatious litigant orders', 'Scotland', 'United States', 'California', 'Notable vexatious litigants', 'Goldsmithery', 'See also', 'References', 'Notes', 'Citations', 'Bibliography'], ['References'], ['Life']]



['Wikipedia: Rice University', 'Wikipedia: Rijksmuseum', 'Wikipedia: Spamming', 'Wikipedia: Self-similarity', 'Wikipedia: Hyoscine', 'Wikipedia: Declaration of Sentiments', 'Wikipedia: Scrooge McDuck', 'Wikipedia: Salamander', 'Wikipedia: Tesla turbine', 'Wikipedia: Masaccio', 'Wikipedia: The Adventures of Tintin', 'Wikipedia: Turners', 'Wikipedia: Foreign relations of Uruguay', 'Wikipedia: Virgil', 'Wikipedia: Euclidean vector', 'Wikipedia: Volcanic Explosivity Index']
[['Title', 'Productions', 'Plot summary', 'Original Broadway cast — characters', '2004 Broadway revival cast — characters', '2017 Off-Broadway revival cast — characters', 'Musical numbers', 'Alternative methods of root calculation', "Vieta's formulas", 'Trigonometric solution', 'Solution for complex roots in polar coordinates', 'Geometric solution', 'Generalization of quadratic equation', 'Characteristic 2', 'See also', 'References'], ['Formal definitions', 'Informal definition', 'In language', 'Recursive humor', 'In mathematics', 'Recursively defined sets', 'Example: the natural numbers', 'Example: Proof procedure', 'Finite subdivision rules', 'Brazil', 'European Union', 'United States', 'Views across disciplines over time', 'Anthropology', 'Biology, anatomy, and medicine', 'Law', 'Sociology', 'Political and practical uses', 'Biomedicine', 'Free market transition', 'Investments in Romania', 'EU membership (2007)', 'Economy', 'GDP', 'Investments', 'Data', 'National budget', 'Growing middle class', 'Neighbors'], ['History', 'Background', 'Secondary channel', 'Related standards', 'Development tools', 'See also', 'References', 'Further reading'], ['History', '18th century', '19th century', 'Biography', 'Death', 'Selected discography', 'References', 'Books'], ['Expansions and versions', 'Computer expansions', 'Nintendo 64 version', 'Remaster', 'StarCraft: Cartooned', 'Cultural impact', 'Reception', 'Legacy', 'Merchandise', 'See also', 'Cultivation', 'Notes', 'References', 'Bibliography', 'Books', 'Chapters', 'Articles', 'APG', 'Saxifragales families', 'Paleontology', 'See also', 'Sámi culture', 'Sámi films', 'Notes', 'References', 'Sources', 'Further reading', 'Sámi books'], ['Literacy', 'School life expectancy (primary to tertiary education)', 'Unemployment, youth ages 15-24', 'Gender ratio', 'Emigration', 'See also', 'References'], ['Railways', 'Rail links with adjacent countries', 'Highways', 'Afobakaweg', 'Desiré Delano Bouterse Highway', 'East-West Link', 'Statistics', 'Road links with adjacent countries', 'Drag predominance (parachute mode)', 'Wind variation with height and time', 'Point of sail', 'Effect on apparent wind', 'Course under sail', 'Wind and currents', 'Upwind', 'Changing tack by tacking', 'Downwind', 'Changing tack by jibing', 'Events', 'World Combat Savate Championships (+21 year)', 'World Canne de Combat Savate Championships (+18 year)', 'World Assaut Savate Championships (+18 year)', 'World Junior Savate Combat Championships (18 to 21)', 'World Youth Savate Assaut Championships (15 to 17)', 'Cultural references', 'See also', 'References', 'Further reading', 'Names and etymology', 'Location', 'Extent', 'Geology', 'Biodiversity', 'History', 'Communications', 'Etymology', 'History', 'Pre-Internet', 'In different media', 'China', 'Imperial China', 'Republic of China', "People's Republic of China", 'Costa Rica', 'European Union', 'Germany', 'Hungary', 'Historical', 'See also', 'Significance', 'Goddess', 'Science', 'See also', 'References'], ['Self-affinity', 'Definition', 'Examples', 'Military salutes in popular culture', 'See also', 'References'], ['Education', 'Entertainment', 'Science and technology', 'See also', 'Comics history', 'First appearance', 'Recurring character', "First hints of Scrooge's past", 'Description', 'Trunk, limbs and tail', 'Skin', 'Filming', 'Music', 'Release', 'Box office', 'Home media', 'Reception', 'Critical response', 'Accolades', 'Controversy', 'See also', 'Bus rapid transit system in Bangkok', 'Highway network', 'Motorway network', 'Expressway network', 'Utility cycling', 'Other public transport', 'Air transport', 'Airports', 'Airlines', 'Water transport', 'Music', 'Cognitive effects', 'Reception and legacy', 'In research', 'Film', 'See also', 'Further reading', 'References', 'Bibliography', 'Books', 'Resignation', 'Indictment, trial and execution', 'Relics', 'Scholarly and literary work', 'History of King Richard III', 'Utopia', 'Religious polemics', 'Correspondence', 'Canonization', 'Catholic Church', 'Glancing impact hypothesis', 'Blast pattern', 'Asteroid or comet?', 'Lake Cheko', 'Geophysical hypotheses', 'Similar event', 'In popular culture', 'See also', 'References', 'Bibliography'], ['Description', 'Pump', 'Early life', 'First works', 'Maturity', 'Brancacci Chapel', 'Works of the chapel', 'Pisa Altarpiece', 'History', 'Le Vingtième Siècle: 1929–1939', 'Le Soir: 1940–1945', 'Compilation albums', 'Singles and EPs', 'Bibliography', 'References', 'Sources', 'Further reading', 'Moralism, benevolence and hypocrisy', 'Warfare and finance', 'British Empire', '1800 to 1837', 'Union with Ireland', 'Napoleonic wars', 'Financing the war', 'War of 1812 with United States', 'Postwar reaction: 1815–1822', 'Whig reforms of the 1830s', 'References'], ['Overview', 'Etymology', 'History', 'Pre-colonial era', 'Arrival of Europeans', 'Danish colonial period', 'American colonial period', '2017 hurricanes', 'Geography', 'Climate', 'Politics and government', 'See also', 'References', 'Life and works', 'History', 'Overview', 'Examples in one dimension', 'In physics and engineering', 'In Cartesian space', 'Euclidean and affine vectors', 'In Kraków', 'Nuremberg', 'In popular culture', 'Notes and references', 'Sources'], []]



['Wikipedia: Quark', 'Wikipedia: RMS', 'Wikipedia: Repo Man (film)', 'Wikipedia: Skepticism', 'Wikipedia: CLIÉ', 'Wikipedia: Saarland', 'Wikipedia: Politics of Senegal', 'Wikipedia: Sextus Julius Africanus', 'Wikipedia: Second Punic War', 'Wikipedia: Sangha', 'Wikipedia: Small beer', 'Wikipedia: The Matrix', 'Wikipedia: Pre-Socratic philosophy', 'Wikipedia: The Terrorist (1997 film)']
[['Critical response and analysis', 'Awards and nominations', 'Original Broadway production', '2003 West End Revival', '2004 Broadway revival', '2017 Off-Broadway revival', 'See also', 'Notes', 'References'], ['Classification', 'History', 'Etymology', 'Functional recursion', 'Proofs involving recursive definitions', 'Recursive optimization', 'The recursion theorem', 'Proof of uniqueness', 'In computer science', 'In biology', 'In art', 'See also', 'References', 'Law enforcement', 'Forensic anthropology', 'See also', 'References', 'Bibliography', 'Further reading', 'Minimum wage in Romania', 'Wealth per adult', 'Tourism', 'Currency', 'Fulfillment of the Maastricht criteria', 'Natural resources', 'Energy', 'Nuclear energy in Romania', 'Physical infrastructure', 'Sectors of the economy', 'Establishment and growth', 'Recent history', 'Campus', 'Innovation District', 'Organization', 'Academics', 'Student body', 'Honor Code', 'Research centers and resources', 'Admissions', 'Places', 'Organizations', 'Learned societies', 'Schools', 'United States', 'Elsewhere', '20th century', '21st century', 'List of directors', 'Building', 'Collection', 'Gallery', 'Number of visitors', 'Library', 'Restaurant', 'Notes', 'Plot', 'Cast', 'Reception', 'Accolades', 'Soundtrack', 'Sequels', 'References'], ['Definition', 'Websites'], ['Closure of handheld line', 'History', 'Before World War I', 'Interwar history', 'History after World War II', 'Introduction', 'Political system', 'Political culture', 'Executive branch', 'Legislative branch', 'Waterways', 'Ports and harbours', 'Merchant marine', 'Airports', 'Paved runways', 'Unpaved runways', 'See also', 'References'], ['Sail trimming', 'Reducing sail (reefing)', 'Hull trim', 'Terminology', 'Rope and lines', 'Other terms', 'Knots and line handling', 'Rules and regulations', 'Licensing'], ['Biography', 'Writings', 'Tunnel across the Strait', 'Special flow and wave patterns', 'Inflow and outflow', 'Internal waves', 'Territorial waters', 'Power generation', 'See also', 'References'], ['Email', 'Instant messaging', 'Newsgroup and forum', 'Mobile phone', 'Social networking spam', 'Social spam', 'Blog, wiki, and guestbook', 'Spam targeting video sharing sites', 'VoIP Spam', 'Academic search', 'Notes', 'References', 'Further reading'], ['Definitions', 'Qualities of the Sangha', 'Monastic tradition', 'Japanese vinaya', 'The Fourteen Precepts of the Order of Interbeing', 'In cybernetics', 'In nature', 'In music', 'See also', 'References'], ['Medical use', 'Breastfeeding', 'Elderly', 'Adverse effects', 'Overdose', 'Interactions', 'Route of administration', 'Pharmacodynamics', 'Biosynthesis in plants', 'Opening paragraphs', 'Sentiments', 'Closing remarks', 'Signers', 'See also', 'References', 'Later stories', 'Scrooge as a major character', 'Final developments', 'Modern era', 'Characterization', 'Wealth', 'Education', 'Morality and beliefs', 'DuckTales', 'Voice', 'Senses', 'Respiration', 'Feeding and diet', 'Defense', 'Aposematism', 'Camouflage and mimicry', 'Autotomy', 'Distribution and habitat', 'Reproduction and development', 'Conservation', 'References'], ['Plot', 'River and canal transport', 'Ferries', 'Sea transport', 'Ports and harbors', 'Merchant marine fleet', 'Pipelines', 'See also', 'References'], ['Instruction manuals', 'Video documentaries'], ['Anglican Communion', 'Legacy', 'Communism, socialism and resistance to communism', 'Literature and popular culture', 'Institutions named after More', 'Historic sites', 'Westminster Hall', 'Crosby Hall', 'Chelsea Old Church', 'Tower Hill'], ['Plot', 'Cast', 'Applications', 'Efficiency and calculations', 'A simple Thermo/Fluid-Dynamics model for Tesla Turbine', 'See also', 'References', 'Books and publications', 'Patents', 'Photos', 'Boundary layers'], ['Holy Trinity', 'Other paintings', 'Legacy', 'Main works', 'See also', 'References and sources'], ['Le Journal de Tintin: 1946–1983', 'Characters', 'Tintin and Snowy', 'Captain Haddock', 'Professor Calculus', 'Supporting characters', 'Settings', 'Research', 'Influences', 'Translation into English', 'History in the United States', 'Gallery', 'Vintage photos of the Milwaukee Turnverein', 'Other Wisconsin Turners in 1915', 'Jahn Monument in Berlin with memorial plaques from American Turnvereine', 'Turner Halls', 'See also', 'Leadership', 'Victorian era', 'Social and cultural history', 'Foreign policy', 'Free trade imperialism', 'Russia, France and the Ottoman Empire', 'American Civil War', 'Empire expands', 'Boer War', 'Ireland and Home Rule', 'Africa', 'Americas', 'Asia', 'Europe', 'Oceania', 'See also', 'References'], ['Legal system', 'Constitution', 'Administrative divisions', 'Self-determination', 'Governors of the U.S. Virgin Islands', 'Law enforcement', 'Military', 'Economy', 'Personal income', 'Financial challenges', 'Birth and biographical tradition', 'Early works', 'The Eclogues', 'The Georgics', 'The Aeneid', 'Reception of the Aeneid', "Virgil's death and editing of the Aeneid", 'Later views and reception', 'In antiquity', 'Late antiquity, the Middle Ages, and after', 'Generalizations', 'Representations', 'Decomposition or resolution', 'Basic properties', 'Equality', 'Opposite, parallel, and antiparallel vectors', 'Addition and subtraction', 'Scalar multiplication', 'Dot product', 'Cross product', 'Classification', 'Limitations', 'Lists of large eruptions', 'See also', 'References'], []]



['Wikipedia: Paradoxical intention', 'Wikipedia: Robert Byrd', 'Wikipedia: Relationship', 'Wikipedia: Ruhollah Khomeini', 'Wikipedia: Ruth Benedict', 'Wikipedia: Suriname National Army', 'Wikipedia: Agnes of Rome', 'Wikipedia: Social epistemology', 'Wikipedia: Social class', 'Wikipedia: Royal Thai Armed Forces', 'Wikipedia: Transport in Afghanistan', 'Wikipedia: Timothy Leary', 'Wikipedia: Tim Burton', 'Wikipedia: Uzbekistan', 'Wikipedia: Versailles, Yvelines']
[['See also', 'References', 'Properties', 'Electric charge', 'Spin', 'Weak interaction', 'Strong interaction and color charge', 'Mass', 'Size', 'Table of properties', 'Interacting quarks', 'Sea quarks', 'Bibliography'], ['Background', 'Gas and natural resources', 'Agriculture', 'Fishing', 'Industry', 'Car industry', 'IT and other Industry', 'Services', 'Biotechnology industry', 'Regional variation', 'Foreign trade', 'Rankings', 'Student life', 'Residential colleges', 'List of residential colleges', 'Baker 13', 'Beer Bike Race', 'Campus institutions', 'Rice Coffeehouse', "Willy's Pub", 'Rice Bikes', 'Other organizations', 'Science and technology', 'Biology and medicine', 'Computing', 'Other uses in science and technology', 'Other uses', 'References'], ['Early years', "Waldo's Hawaiian Holiday", 'Repo Chick', 'References'], ['Philosophy', 'Religion', 'Science', 'Auditing', 'See also', 'Notes', 'Sources', 'Further reading'], ['Models', 'Motorola Dragonball CPU/Palm OS 3.5 & 4.x', 'ARM compatible CPU/Palm OS 5.0 & 5.2', 'Macintosh support', 'See also', 'References'], ['Geography', 'Districts', 'Demographics', 'Largest cities', 'Vital statistics', 'Religion', 'Politics', 'Current government of the Saarland', 'See also', 'Economy', 'Political parties and elections', 'Presidential elections', 'Parliamentary elections', 'Judicial branch', 'Administrative divisions', 'International relations', 'See also', 'References', 'Organization', 'Army', 'Air Force', 'Current inventory', 'Competition', 'Introduction', 'Competition Criteria', 'Regatta', 'Equipment', 'Recreational sailing', 'Passagemaking', 'See also', 'Notes', 'Bibliography', 'Prophetic exegesis', 'Verification of Moses', 'Notes', 'References', 'Further reading', 'History of the term', 'The rise of social epistemology', 'Kuhn, Foucault, and the sociology of scientific knowledge', 'Social epistemology as a field', 'Mobile apps', 'Noncommercial forms', 'Geographical origins', 'Trademark issues', 'Cost–benefit analyses', 'General costs', 'In crime', 'Political issues', 'Court cases', 'United States', 'Background', 'Destruction of Saguntum', 'Declaration of war', 'Carthaginian strategy and aims', 'Course of the war', 'Beginning of the war (218–217 BC)', 'Spain (218–217 BC)', 'Italy (218–217 BC)', 'Carthaginian ascendancy (216–215 BC)', 'Possessions', 'Attitudes regarding food and work', 'Sangha as a general reference to Buddhist community', 'See also', 'References', 'Bibliography'], ['History', 'Contemporary usage', 'In art and history', 'Literature', 'See also', 'References', 'History', 'Society and culture', 'Names', 'Australian bush medicine', 'Recreational and religious use', 'Interrogation', 'Crime', 'Research', 'See also', 'References', 'History', 'Theoretical models', 'Marxist', 'Weberian', 'Great British Class Survey', 'Three-level economic class model', 'Europe', 'Age', 'In popular culture', 'Cultural impact', 'Scrooge McDuck Universe', 'In other media', 'See also', 'Notes', 'Further reading'], ['Taxonomy', 'Phylogeny and evolution', 'Genome and genetics', 'In human society', 'Myth and legend', 'Limb regeneration as applied to humans', 'Salamander brandy', 'References', 'Citations', 'Cited texts', 'Cast', 'Production', 'Development', 'Pre-production', 'Production design', 'Filming', 'Visual effects', 'Sound effects and music', 'Reception', 'Box office', 'Role', 'Manpower', 'Conscription', 'Budget', 'Overview', 'Focus and aims', 'Tradition and modern rediscovery', 'The different schools', 'Milesian school', 'Pythagoreanism', 'Ephesian school', 'Eleatic school', 'Pluralist school', 'Atomist school', 'St Katharine Docks', "St Dunstan's Church and Roper House, Canterbury", 'Works', "Published during More's life (with dates of publication)", "Published after More's death (with likely dates of composition)", 'Translations', 'See also', 'Notes', 'Biographies', 'Historiography', 'Inspiration', 'Awards', 'Further reading', 'See also', 'Footnotes', 'References'], ['Kits', 'Video', 'Tesla turbine sites', 'Early life and education', 'Psychedelic experiments and experiences', 'Mexico and Harvard research (1957–1963)', 'Introduction to psychedelic mushrooms', 'Concord Prison Experiment', 'Dissension over studies', 'British', 'American', 'Digital', 'Lettering and typography', 'Reception', 'Awards', 'Literary criticism', 'Controversy', 'Adaptations and memorabilia', 'Television and radio', 'References', 'Further reading'], ['Queen Victoria', 'Palmerston', 'Disraeli', 'Gladstone', 'Salisbury', 'Early 20th century 1901–1918', 'Edwardian era 1901–1914', 'First World War', 'Postwar settlement', 'Irish independence and partition', 'Etymology', 'History', 'Geography', 'Environment', 'Politics', 'Tourism', 'Other sectors', 'Government', 'Tax and trade', 'Transport and communications', 'Demographics', 'Ethnic groups', 'Languages', 'Religion', 'Health', 'Legends', "Virgil's tomb", 'Spelling of name', 'See also', 'References', 'Notes', 'Citations', 'Further reading'], ['Scalar triple product', 'Conversion between multiple Cartesian bases', 'Other dimensions', 'Physics', 'Length and units', 'Vector-valued functions', 'Position, velocity and acceleration', 'Force, energy, work', 'Vectors, pseudovectors, and transformations', 'See also', 'Name', 'A seat of power', 'Geography', 'History']]



['Wikipedia: Peter Stuyvesant', 'Wikipedia: Queen', 'Wikipedia: Mass media in Romania', 'Wikipedia: Richard Smalley', 'Wikipedia: Running', 'Wikipedia: Stagflation', 'Wikipedia: Sony', 'Wikipedia: Economy of Senegal', 'Wikipedia: Simple Mail Transfer Protocol', 'Wikipedia: Speed', 'Wikipedia: Sambia Peninsula', 'Wikipedia: Society for Creative Anachronism', 'Wikipedia: Shiva (Judaism)', 'Wikipedia: State terrorism', 'Wikipedia: Tierra del Fuego', 'Wikipedia: Tool', 'Wikipedia: Value theory', 'Wikipedia: Valhalla']
[['Early life', 'Career', 'New Netherland', 'Expansion of the colony', 'Other phases of quark matter', 'See also', 'Notes', 'References', 'Further reading'], ['Marriage', 'Children', 'Ku Klux Klan', 'Early career', 'Continued education', 'Congressional service', 'Public service records', 'Committee assignments', 'Filibuster of the Civil Rights Act of 1964', 'Vietnam', 'Miscellaneous data', 'See also', 'Notes', 'References', 'Student-run media', 'Athletics', 'Alumni, faculty and presidents', 'References'], ['Arts and media', 'Other uses', 'See also', 'Background', 'Childhood', 'Education and lecturing', 'Political aspects', 'Early political activity', 'Opposition to the White Revolution', 'Opposition to capitulation', 'Life in exile', "Khomeini's contact with the US", 'Supreme Leader of the Islamic Republic of Iran', 'Early life', 'Childhood', 'College and marriage', 'Career in anthropology', 'Education and early career', 'Relationship with Margaret Mead', 'Post-war', 'Work', 'Patterns of Culture', 'The Great Inflation', 'Causes', 'Postwar Keynesian and monetarist views', 'Early Keynesianism and monetarism', 'History', 'Tokyo Tsushin Kogyo', 'Name', 'Globalization', 'Formats and technologies', 'Video recording', 'Education', 'Culture', 'Local dialect', 'French', 'Sports', 'Notes', 'References'], ['History', 'IMF and 1990s economic reforms', 'Current state of economy', 'External trade and investment', 'Indebtedness', 'Retired aircraft', 'Navy and Coast Guard', 'Command structure', 'Commanding officers of the Suriname Armed Forces at present', 'Commanders of the Suriname Armed Forces past to present', 'Conflicts', 'Contra', 'Role', 'Army Ranks', 'Naval Equipment', 'Further reading', 'History', 'Mail processing model', 'Biography', 'Veneration', 'Patronage', 'Iconography', 'Churches', 'Legacy', 'In popular culture', 'Gallery', 'Major philosophers who influenced social epistemology', 'Present and future concerns', 'See also', 'Notes', 'References', 'Further reading'], ['United Kingdom', 'New Zealand', 'Bulgaria', 'Newsgroups', 'See also', 'References', 'Citations', 'Sources', 'Further reading'], ['Italy (216–215 BC)', 'Spain (215 BC)', 'War spreads to Sicily and Greece (214–213 BC)', 'Africa (213 BC)', 'Sicily (213–212 BC)', 'Carthaginian zenith (212–211 BC)', 'Ibera (212–211 BC)', 'Italy (212–211 BC)', 'Greece (211 BC)', 'The tide turns (210–209 BC)', 'Definition', 'Historical definition', 'Instantaneous speed', 'Average speed', 'Difference between speed and velocity', 'Tangential speed', 'Names', 'History', 'Kursenieki', 'Geography and geology'], ['History', 'Activities', 'Upper class', 'Middle class', 'Lower class', 'Consequences of class position', 'Education', 'Health and nutrition', 'Employment', 'Class conflict', 'Classless society', 'Relationship between ethnicity and class', 'Etymology', 'Biblical accounts similar to shiva', 'Stages of bereavement'], ['Definition', 'History', 'Critical response', 'Awards', 'Franchise', 'Home media', 'Influences', 'Film and television', 'Literary works', 'Philosophy', 'Religion and mythology', 'Transgender themes', 'History', 'Ancient military forces', 'Conflicts', 'Franco-Siamese War (1893)', 'World War I (1917–1918)', 'Franco-Thai War (1940–1941)', 'World War II (1942–1945)', 'Korean War (1950–1953)', 'Vietnam War (1955–1975)', 'Communist insurgency (1976–1980s)', 'Others', 'Sophists', 'Other early Greek thinkers', 'Legacy', 'Notes', 'References', 'Further reading'], ['Primary sources'], ['History', 'History', 'Functions', 'Simple machines', 'Tool substitution', 'Multi-use tools', 'Use by other animals', 'Road', 'Rail', 'Afghanistan-Uzbekistan rail connection', 'Turkmenistan-Afghanistan rail connections', 'Iranian border', 'Pakistan border', 'Other borders', 'Air', 'Heliports', 'Water', 'Firing of Leary', 'Millbrook and psychedelic counterculture (1963–1967)', 'Post-Millbrook', 'Legal troubles', 'Post prison', 'Death', 'Personal life', 'Influence', 'In popular culture', 'In film', 'Cinema', 'Documentaries', 'Theatre', 'Video games', 'Memorabilia and merchandise', 'Stamps and coins', 'Parody and pastiche', 'Exhibitions', 'Legacy', 'List of titles', 'Early life', 'Career', '1980s', '1990s', '2000s', '2010s', 'Unrealized projects', 'Frequent collaborators', 'Personal life', 'Exhibitions', 'Interwar era 1918–1939', 'Popular culture', 'Cinema and radio', 'Sports', 'Reading', 'Politics and economics of the 1920s', 'Expanding the welfare state', 'Conservative control', 'Economics', 'Labour', 'Human rights', 'Recent developments', 'Administrative divisions', 'Largest cities', 'Economy', 'Demographics', 'Religion', 'Jewish community', 'Languages', 'Communications', 'Education', 'Culture', 'Music', 'Media', 'Public holidays', 'See also', 'References'], ['Ethics and axiology', 'Intrinsic and instrumental value', 'Pragmatism and contributory goodness', 'Kant: hypothetical and categorical goods', 'Notes', 'References', 'Mathematical treatments', 'Physical treatments'], ['Louis XIII', 'Louis XIV', 'Louis XV and Louis XVI', 'French Revolution', '19th century to the present day', 'Culture', 'Sport', 'Population', 'Immigration', 'Education']]



['Wikipedia: Schleswig-Holstein', 'Wikipedia: Foreign relations of Suriname', 'Wikipedia: Snooper', 'Wikipedia: Sound card', 'Wikipedia: Siddur', 'Wikipedia: Sovereignty', 'Wikipedia: Solomon Schechter', 'Wikipedia: Telegraphy', 'Wikipedia: Transliteration', 'Wikipedia: The New York Times', 'Wikipedia: The Cramps', 'Wikipedia: Geography of the United States Virgin Islands', 'Wikipedia: Vampire']
[['Religious freedom', 'Capitulation', 'Personal life', 'Legacy', 'Descendants', 'In popular culture', 'See also', 'References'], ['Monarchy', 'Arts and entertainment', 'Fictional characters', 'Gaming', 'Music', 'Other uses in arts and entertainment', 'Places', '1968 presidential election', 'Leadership roles', 'Appropriations Committee', 'Parliamentary expertise', 'President pro tempore', 'Scholarships and TAH History Grants', 'Senate historian', 'Final-term Senate highlights', 'Political views', 'Race', 'History', 'Legislative framework', 'Status and self-regulation of journalists', 'Media outlets', 'Print media', 'Publishing', 'Radio broadcasting', 'Television broadcasting', 'Cinema', 'Early life and education', 'Career', 'Fullerenes', 'Nanotechnology', 'Dispute on molecular assemblers', 'Advocacy', 'Personal life', 'Christianity during final years', 'History', 'Description', 'Footstrike', 'Midstance', 'Propulsion phase', 'Swing phase', 'Upper extremity function', 'Return to Iran', 'Islamic constitution', 'Hostage crisis', 'Relationship with Islamic and non-aligned countries', 'Iran–Iraq War', 'Fatwa against chemical weapons', 'Rushdie fatwa', 'Life under Khomeini', 'Women and child rights', 'Homosexuality', '"The Races of Mankind"', 'The Chrysanthemum and the Sword', 'Legacy', 'References', 'Bibliography', 'Further reading'], ['Neo-Keynesianism', 'Supply theory', 'Fundamentals', 'Explaining the 1970s stagflation', 'Recent views', 'Neoclassical views', 'Keynesian in the short run, classical in the long run', 'Alternative views', 'As differential accumulation', 'Demand-pull stagflation theory', 'Visual display', 'Audio recording', 'Audio encoding', 'Optical storage', 'Disk storage', 'Flash memory', 'Communication', 'Business units', 'Electronics Products & Solutions ===', 'Sony Corporation', 'History', 'Duchies in the Danish realm', 'Schleswig-Holstein Question', 'Province of Prussia', 'Plebiscite in 1920', 'Trade unions', 'Stock exchange', 'Regional and international economic groupings', 'Statistics', 'Macro-economic trends', 'See also', 'References'], ['Published works', 'Future', 'Equipment', 'See also', 'References'], ['Protocol overview', 'SMTP vs mail retrieval', 'Remote Message Queue Starting', 'Outgoing mail SMTP server', 'Outgoing mail server access restrictions', 'Restricting access by location', 'Client authentication', 'Open relay', 'Ports', 'SMTP transport example', 'See also', 'References'], ['Tile Lock editions', 'Travel editions', 'Deluxe editions', 'Large print and braille editions', 'See also', 'References', 'Further reading'], ['General characteristics', 'Sound channels and polyphony', 'List of sound card standards', 'Color codes', 'History of sound cards for the IBM PC architecture', 'Hardware manufacturers', 'History', 'Creating the siddur', 'Different Jewish rites', 'Spain (210–209 BC)', 'Italy (210–209 BC)', 'Roman victory in Italy (208–207 BC)', 'Roman victory in Spain (206–205 BC)', 'Roman invasion of Africa (204–203 BC)', 'Italy (204–203 BC)', 'End of the war (202–201 BC)', 'Aftermath', 'Intelligence', 'Opinions on the war', 'Amber', 'See also', 'Footnotes', 'Events', 'Publications', 'Organization', 'Corporate organization', 'Branches', 'Kingdoms', 'Officers', 'Culture of the group', 'Personae', 'Heraldry', 'See also', 'References', 'Further reading'], ['Computing the timing of shiva and sheloshim', 'Religious holidays during times of mourning', 'Sabbath', 'Passover', 'Shavuot', 'Sukkot', 'Rosh Hashanah', 'Yom Kippur', 'Yom Tov', 'Chol HaMoed', 'By country', 'China', 'France', 'Iran', 'Israel', 'Libya', 'Myanmar', 'North Korea', 'Russia/Soviet Union', 'South Africa', 'Legacy', 'See also', 'Notes', 'References', 'Bibliography'], ['Vietnamese border raids (1979–1988)', 'Thai–Laotian Border War (1987–1988)', 'East Timor (1999–2002)', 'Iraq War (2003–2004)', 'South Thailand insurgency (2001–ongoing)', 'Cambodian–Thai border stand-off (2008–2011)', 'Sudan (2010–2011)', 'Current developments', 'Thai military deputized as police', 'Corruption', 'Definitions', 'Difference from transcription', 'Challenges', 'Adopted', 'See also', 'Prehistory and European exploration', 'European colonization and extinction of Native Americans (1860–1910)', 'Recent history (1940–present)', 'Geography', 'Geology', 'Climate', 'Flora', 'Fauna', 'Economy', 'See also', 'Tool metaphors', 'See also', 'References'], ['Pipelines', 'References'], ['In music', 'In comic books', 'Works', 'Media appearances', 'See also', 'References', 'Further reading'], ['See also', 'References', 'Notes', 'Citations', 'Bibliography', 'Further reading'], ['Filmography', 'Films directed', 'Awards', 'Academy Awards', 'BAFTA Awards', 'Emmy Awards (Daytime)', 'Golden Globe Awards', 'Saturn Awards', 'Other awards', 'Awards received by Burton films', 'Great Depression', 'Appeasement', 'Second World War 1939–1945', 'Mobilisation of women', 'Welfare state', 'Postwar', 'Austerity, 1945–1950', 'Nationalisation', 'Prosperity of the postwar years', 'Empire to Commonwealth', 'Transportation', 'Military', 'Foreign relations', 'Culture', 'Music', 'Education', 'Holidays', 'Cuisine', 'Sport', 'See also', 'Statistics', 'Terrain', 'Climate', 'See also', 'References', 'Sociology', 'Economics', 'See also', 'References', 'Further reading', 'Etymology', 'Attestations', 'Poetic Edda', 'Grímnismál', 'Helgakviða Hundingsbana II', 'Prose Edda', 'Gylfaginning', 'Skáldskaparmál', 'Transportation', 'International relations', 'Twin towns – sister cities', 'Notable people', 'See also', 'References'], []]



['Wikipedia: Phish', 'Wikipedia: Quantization (physics)', 'Wikipedia: Robert Curl', 'Wikipedia: Rosmalen', 'Wikipedia: Telecommunications in Senegal', 'Wikipedia: Sichuan cuisine', 'Wikipedia: Sedevacantism', 'Wikipedia: Torah', 'Wikipedia: The Sims (video game)', 'Wikipedia: They Might Be Giants', 'Wikipedia: Tecumseh, Michigan', 'Wikipedia: Tod Browning', 'Wikipedia: History of Uzbekistan', 'Wikipedia: Demographics of the United States Virgin Islands', 'Wikipedia: Vancouver']
[['History', 'Formation and The White Tape: 1983–1986', 'The Man Who Stepped into Yesterday and Junta: 1987–1989', 'Lawn Boy and A Picture of Nectar: 1990–1992', 'Religion and folklore', 'Science', 'Transportation', 'Other uses', 'See also', 'Clinton impeachment', 'LGBT rights', 'Abortion', 'Richard Nixon era', 'Nixon resignation', 'Gerald Ford era', 'Jimmy Carter era', 'Role in changes in Senate rules', 'Domestic issues', 'Turkey', 'Telecommunications', 'Land lines', 'Mobile', 'Internet', 'Media agencies', 'Trade unions', 'Regulatory authorities', 'Media ownership', 'Transparency', 'Concentration and pluralism', 'Publications', 'Honors', 'Fellowships', 'Awards and prizes', 'References'], ['Footstrike debate', 'Stride length, hip and knee function', 'Good technique', 'Upright posture and slight forward lean', 'Stride rate and types', 'Health benefits', 'Cardiovascular', 'Metabolic', 'Mental', 'Injuries', 'Emigration and economy', 'Suppression of opposition', 'Minority religions', 'Ethnic minorities', 'Death and funeral', 'Succession', 'Anniversary', 'Political thought and legacy', 'Appearance and habits', 'Mystique', 'See also', 'References'], ['Supply-side theory', 'Austrian School of economics', 'Jane Jacobs and the influence of cities on stagflation', 'Responses', 'See also', 'Notes', 'References', 'Further reading', 'Audio', 'Video', 'Photography and videography', 'Computing', 'Healthcare and biotechnology', 'Sony Mobile Communications', 'Robotics', 'Imaging & Sensing Solutions', 'Game & Network Services', 'Pictures and Music', 'State of Federal Germany', 'Geography', 'Administration', 'Demographics', 'Vital statistics', 'Religion', 'Foreigners', 'Culture', 'Symbols', 'Languages', 'Regulation', 'Radio and television', 'Telephones', 'Internet', 'Border disputes', 'International organization participation', 'Regional and international agreements', 'Bilateral relations', 'See also', 'References'], ['Extended Simple Mail Transfer Protocol', 'Optional extensions discovery', 'Binary data transfer', 'Mail delivery mechanism extensions', 'On-Demand Mail Relay', 'Internationalization extension', 'Security extensions', 'SMTP Authentication', 'STARTTLS or "Opportunistic TLS"', 'SMTP MTA Strict Transport Security', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'Positions', 'Early proponents', 'Bishops and holy orders', 'Bishops consecrated within the pre–Vatican II church who later took a sedevacantist position', 'Bishops whose lineages derive from the foregoing bishops', 'Industry adoption', 'Feature evolution', 'Crippling of features', 'Professional sound cards (audio interfaces)', 'Sound devices other than expansion cards', 'Integrated sound hardware on PC motherboards', 'Integrated sound on other platforms', 'Sound cards on other platforms', 'External sound devices', 'USB sound cards', 'Complete and weekday siddurim', 'Variations and additions on holidays', 'Popular siddurim', 'Ashkenazi Orthodox', 'Hasidic Siddurim', 'Italian Rite', 'Romaniote Rite', 'Sephardic', 'Israel and diaspora', 'Israeli, following Rabbi Ovadia Yosef', 'In popular culture', 'See also', 'References', 'Notes', 'Citations', 'Primary sources', 'Secondary sources', 'Further reading'], ['Etymology', 'Concepts', 'History', 'Classical', 'Medieval', 'Reformation', 'Age of Enlightenment', 'Definition and types', 'Absoluteness', 'Exclusivity', 'Royalty', 'Rule by right of arms', 'Peerage orders', 'Elevation to peerage', 'Cultural impact', 'References', 'Further reading'], ['Early life', 'Academic career', 'American Jewish community', 'Religious and cultural beliefs', 'Legacy', 'Bibliography', 'References', 'Further reading'], ['Shiva customs', 'Keriah', 'Washing hands', 'Meal of Condolences', 'Candles', 'Mirrors', 'Pictures', 'Shoes', 'Personal grooming', '"Sitting" shiva', 'Spain', 'Sri Lanka', 'Syria', 'United Kingdom', 'United States', 'Uzbekistan', 'Criticism of the concept', 'See also', 'References', 'Bibliography', 'Terminology', 'Early signalling', 'Drum telegraph', 'Optical telegraph', 'Electrical telegraph', 'Railway telegraphy', 'Wigwag', 'Weapons and equipment', 'Uniforms, ranks, insignia', 'Officer and enlisted rank insignia', 'Gallery', 'See also', 'References', 'Further reading'], ['References'], ['Meaning and names', 'Notes', 'References'], ['History', 'Origins', 'Ochs era', 'Post-war expansion', 'New York Times v. Sullivan (1964)', 'The Pentagon Papers (1971)', 'Late 1970s–90s', 'Digital era', 'Early digital content', 'Style', 'History', '1970s', '1980s', '1990s', '2000s', 'Members', 'Final line-up', 'Former members', 'Timeline', 'History', 'Earlier years (1982–1989)', 'Dial-A-Song (1985–2008)', 'They Might Be Giants and Lincoln (1986–1989)', 'Move to Elektra (1989–1992)', 'History', 'Geography', 'Demographics', '2010 census', '2000 census', 'Economy', 'Reception', 'Books', 'Notes', 'References', 'Further reading'], ['From the Troubles to the Belfast Agreement', 'The economy in the late 20th century', 'Common Market (EEC), then EU, membership', 'Devolution for Scotland and Wales', '21st century', 'War in Afghanistan and Iraq War, and 2005 attacks', 'Nationalist government in Scotland', 'The 2008 economic crisis', 'The 2010 coalition government', '2014 Scottish Independence referendum', 'References', 'Further reading'], ['Population', 'Vital statistics', 'Structure of the population', 'Etymology', 'Folk beliefs', 'Description and common attributes', 'Creating vampires', 'Identifying vampires', 'Protection', 'Methods of destruction', 'Ancient beliefs', 'Heimskringla', 'Fagrskinna', 'Modern influence', 'Gallery', 'See also', 'Notes', 'References'], ['Etymology', 'History', 'Before 1850', 'Early growth', 'Incorporation', 'Twentieth century']]



['Wikipedia: Quantile', 'Wikipedia: Transport in Romania', 'Wikipedia: Roman Republic', 'Wikipedia: René Magritte', 'Wikipedia: Rousseau (disambiguation)', 'Wikipedia: Ruslan Khasbulatov', 'Wikipedia: Syllabary', 'Wikipedia: Sulfur', 'Wikipedia: Shuttlecock', 'Wikipedia: Shanghai cuisine', 'Wikipedia: Sailor Moon', 'Wikipedia: Symmetry group', 'Wikipedia: SNAFU', 'Wikipedia: Semi-trailer truck', 'Wikipedia: The Stems', 'Wikipedia: Titanite', 'Wikipedia: The Mythical Man-Month', 'Wikipedia: Thief (disambiguation)', 'Wikipedia: Geography of the United Kingdom']
[['In other media and popular culture', 'Books and podcasts', 'Other appearances', 'Band members', 'Timeline', 'Discography', 'References'], ['Quantum statistical mechanics approach', "Schwinger's variational approach", 'See also', 'References', 'Notes', 'Reaction to death', 'In popular culture', 'Published writing', 'Robert C. Byrd Center for Legislative Studies', 'See also', 'References', 'Further reading'], ['History', 'Railway transport', 'Roads and automotive transport', 'References'], ['History', 'Middle distance', 'Long distance', 'See also', 'References'], ['See also', 'Early life', 'Entry into political life', 'Role in the 1993 Constitutional Crisis', 'Return to private life', 'References', 'Arithmetic soundness', 'Relation to completeness', 'See also', 'References', 'Bibliography'], ['EYE SEE project', 'South Africa Mobile Library Project', 'The Sony Canada Charitable Foundation', 'Sony Foundation and You Can', 'Open Planet Ideas Crowdsourcing Project', 'Street Football Stadium Project', 'See also', 'References', 'Further reading'], ['Characteristics', 'Physical properties', 'Chemical properties', 'Isotopes', 'Roads', 'International highways', 'Motorways', 'National roads', 'Regional roads', 'Railways', 'Maps', '17th–18th centuries', '19th century', '20th century', 'Svalbard Treaty and Norwegian sovereignty', 'Second World War', 'Post-war====', 'Population', 'Demographics', 'Settlements', 'Religion', 'Name', 'Specifications', 'Construction and materials', 'Feather or synthetic shuttlecocks', 'See also', 'References', 'Characteristic', 'History', 'Notable dishes in Shanghai cuisine', 'Seafood'], ['Sedevacantist sites', 'Sedevacantist resources', 'Criticisms of sedevacantism', 'Introduction', 'One dimension', 'Two dimensions', 'Three dimensions', 'Symmetry groups in general', 'Group structure in terms of symmetries', 'Minhagei Eretz Yisrael', 'Conservative Judaism', 'Progressive and Reform Judaism', 'Reconstructionist Judaism', 'Jewish Renewal', 'Feminist siddurim', 'Atheist or humanistic siddurim', 'Other siddurim', 'See also', 'References', 'Early Modern era', 'Kingdom of Württemberg and German Empire', 'Weimar Republic', 'Nazi Germany', 'Baden-Württemberg', 'US Military in Stuttgart', 'Geography', 'Climate', 'Landmarks and culture', 'The inner city', 'Views', 'Relation to rule of law', 'See also', 'References', 'Further reading'], ['Low-latitude glacial deposits', 'Open-water deposits', 'Carbon isotope ratios', 'Banded iron formations', 'Cap carbonate rocks', 'Changing acidity', 'Space dust', 'Cyclic climate fluctuations', 'Mechanisms', 'Continental distribution', 'Rise and fall', 'European Westerns from the beginning', 'First Spaghetti Western', 'Impact of A Fistful of Dollars', 'For a Few Dollars More and its followers', 'Zapata Westerns', 'Betrayal stories', 'Django and the tragic heroes', 'Comedy Westerns', 'Other notable films', 'Regional configurations', 'Europe', 'Continental Europe', 'Scandinavia', 'Early dukes', 'Younger Stem Duchy', 'The Younger Saxony: The Duchy and the Electorate', 'House of Ascania', 'Partitions of Saxony under Ascanian rule', 'Table of rulers', 'House of Wettin', 'Partitions of Saxony under Wettin rule', 'Kingdom of Saxony', 'Heads of the House of Wettin since 1918', 'Social implications', 'Popular culture', 'Newspaper names', 'See also', 'References', 'Further reading', 'Technology'], ['China', 'India', 'Indonesia', 'Israel', 'Japan', 'Laos', 'Malaysia', 'Myanmar', 'Pakistan', 'Palestine', 'Ritual use', 'Biblical law', 'The Oral Torah', 'Divine significance of letters, Jewish mysticism', 'Production and use of a Torah scroll', 'Torah translations', 'Aramaic', 'Greek', 'Latin', 'Arabic', 'Critical reception', 'Console ports', 'Awards', 'Sales', 'Sequels', 'See also', 'Notes', 'References', 'Further reading'], ['Editorial stance', 'Style', 'Products', 'Print newspaper', 'International Edition', 'Website', 'Food section', 'TimesSelect', 'Paywall and digital subscriptions', 'Mobile presence', 'History', 'Formation', 'Love Will Grow – Rosebud Volume 1', 'At First Sight, Violets Are Blue', 'Reunited – Heads Up', 'Other videos', 'See also', 'References'], [], ['Editions', 'Ideas presented', 'See also', 'Further reading', 'References'], ['Area', 'Physical geography', 'Physical Geography', 'The Jadidists and Basmachis', 'The Stalinist period', 'Khrushchev and Brezhnev rule', 'The 1980s', '1991 to present', 'See also', 'References', 'Footnotes', 'Works cited', 'Law', 'Executive branch', 'Legislative branch', 'Political parties and elections', 'Judicial branch', 'Administrative divisions', 'References', 'Pathology', 'Decomposition', 'Premature burial', 'Contagion', 'Porphyria', 'Rabies', 'Psychodynamic theories', 'Political interpretations', 'Psychopathology', 'Modern vampire subcultures', 'England', 'Ireland', 'Scotland', 'Earldom of Orkney', 'Kings of the Isles', 'Wales', 'Iceland', 'Greenland', 'Kvenland', 'Northern Europe', 'Provincial and federal representation', 'Policing and crime', 'Military', 'Education', 'Arts and culture', 'Theatre, dance, film and television', 'Theatre', 'Dance', 'Film', 'Films set in Vancouver']]



['Wikipedia: PA-RISC', 'Wikipedia: Reptile', 'Wikipedia: Rhineland-Palatinate', 'Wikipedia: Six Nations Championship', 'Wikipedia: Social psychology', 'Wikipedia: Soldering iron', 'Wikipedia: Soul food', 'Wikipedia: Singular they', 'Wikipedia: Sigismund I', 'Wikipedia: Spaghetti', 'Wikipedia: Supply and demand', 'Wikipedia: Transistor', 'Wikipedia: Turbomolecular pump', 'Wikipedia: Geography of Uzbekistan', 'Wikipedia: Economy of the United States Virgin Islands']
[['History', 'CPU specifications', 'See also', 'References'], ['Specialized quantiles', 'Quantiles of a population', 'Examples', 'Even-sized population', 'Odd-sized population', 'Estimating quantiles from a sample', 'Approximate quantiles from a stream', 'Discussion', 'Classification', 'Research history', 'Phylogenetics and modern definition', 'Taxonomy', 'Phylogeny', 'Motorways', 'Statistics', 'Metro', 'Air transport', 'Airports', 'Water transport', 'Ports', 'Waterways', 'Merchant fleet', 'International sea-borne freight traffic', 'Foundation (509 BC)', 'Rome in Latium (509–387 BC)', 'Early campaigns', 'Plebeians and patricians', 'Celtic invasion of Italy (390–387 BC)', 'Roman expansion in Italy (387–272 BC)', 'Wars against Italian neighbours', 'Rise of the plebeian nobility', 'Pyrrhic War (280–275 BC)', 'Punic Wars and expansion in the Mediterranean (264–146 BC)', 'Early life', 'Career', 'Personal life', 'Philosophical and artistic gestures', 'Artists influenced by Magritte', 'Legacy', 'Magritte Museum', 'Selected list of works', 'History', 'Emergence', 'Early years', 'Consolidation', 'Geography', 'Politics', 'History and expansion', 'Format', 'Trophies', 'Types', 'Languages using syllabaries', 'Difference from abugidas', 'Comparison to Latin alphabet', 'See also', 'References', 'History', 'Early 20th century', 'Late 20th century and modernity', 'Natural occurrence', 'Compounds', 'Allotropes', 'Polycations and polyanions', 'Sulfides', 'Oxides, oxoacids, and oxoanions', 'Halides and oxyhalides', 'Pnictides', 'Metal sulfides', 'Organic compounds', 'Ground transport', 'Waterways', 'Ports and harbours', 'Airports', 'See also', 'References'], ['Politics', 'Economy', 'Transport', 'Climate', 'Nature', 'Education', 'Sports', 'See also', 'References', 'Notes'], ['History', 'Types', 'Meat and poultry', 'Snacks', 'Desserts', 'See also', 'References'], ['Plot', 'Production', 'Media', 'Manga', 'Anime series', 'Sailor Moon', 'Sailor Moon Crystal', 'Films and television specials', 'Companion books', 'See also', 'Further reading'], ['Bibliography'], ['See also', 'Architecture in other districts', 'Parks, lakes, cemeteries and other places of interest', 'Culture and events', 'Museums', 'Churches', 'Libraries', 'Demographics', 'Immigrants', 'Religion', 'Unemployment', 'Origin', 'Similar acronyms', 'SUSFU', 'See also', 'References'], ['During the frozen period', 'Breaking out of global glaciation', 'Slushball Earth hypothesis', 'Scientific dispute', '"Zipper rift" hypothesis', 'High-obliquity hypothesis', 'Inertial interchange true polar wander', 'Survival of life through frozen periods', 'Implications', 'Effect on early evolution', 'Legacy', 'Notable personalities', 'See also', 'References'], ['United Kingdom', 'North America', 'Oceania', 'Australia', 'New Zealand', 'Construction', 'Types of trailers', 'Coupling and uncoupling', 'Braking', 'Transmission', 'See also', 'References'], ['History', 'Bipolar transistors', 'MOSFET (MOS transistor)', 'Importance', 'Simplified operation', 'Philippines', 'Russia', 'Saudi Arabia', 'South Korea', 'Vietnam', 'Americas', 'Europe', 'Oceania', 'Thai diplomatic missions', 'Royal Thai embassies and consulates', 'Modern languages', 'Jewish translations', 'Christian translations', 'In other religions', 'Samaritanism', 'Christianity', 'Islam', "Bahá'í Faith", 'See also', 'References', 'Operating principles', 'Maximum pressure', 'Practical considerations', 'Apps', 'The Times Reader', 'Podcasts', 'Non-English versions', 'The New York Times en Español (Spanish-language)', 'Chinese-language', 'TimesMachine', 'Interruptions', 'Criticism and controversies', 'Failure to report Ukraine famine', 'Members', 'Discography', 'Albums', "EP's", 'Singles', 'Anthologies', 'Compilations', 'References'], ['Nomenclature', 'Physical properties', 'Occurrence', 'Uses', 'Image gallery', 'References'], ['The mythical man-month', 'No silver bullet', 'The second-system effect', 'The tendency towards irreducible number of errors', 'Progress tracking', 'Conceptual integrity', 'The manual', 'The pilot system', 'Formal documents', 'Project estimation', 'Games', 'Film and television', 'Literature', 'Music', 'Other uses', 'See also', 'Precambrian', 'Palaeozoic', 'Mesozoic', 'Cenozoic', 'Mountains and hills', 'Rivers and lakes', 'Artificial waterways', 'Coastline', 'Inlets', 'Headlands', 'Topography and drainage', 'Climate', 'Environmental problems', 'Water pollution', 'History', 'Tourism', 'Job market', 'Manufacturing and other sectors', 'Vampire bats', 'In modern fiction', 'Literature', 'Film and television', 'Games', 'References'], ['Estonia', 'Eastern Europe', 'Central Europe', 'Western and Southern Europe', 'Frisia', 'France', 'Italy', 'Spain', 'Portugal', 'North America', 'Television shows produced in Vancouver', 'Libraries and museums', 'Visual art', 'Music and nightlife', 'Media', 'Transportation', 'Sports and recreation', 'Current professional teams', 'Sustainability', 'Twin towns – sister cities']]



['Wikipedia: Preacher (comics)', 'Wikipedia: Q', 'Wikipedia: Foreign relations of Romania', 'Wikipedia: Rudolf Diesel', 'Wikipedia: Steve Reich', 'Wikipedia: Armed Forces of Senegal', 'Wikipedia: Geography of Svalbard', 'Wikipedia: Santorini', 'Wikipedia: Democratic Left Alliance', 'Wikipedia: Hebrew Bible', 'Wikipedia: Tour de France', 'Wikipedia: Theocracy', 'Wikipedia: Time management', 'Wikipedia: Taitō', 'Wikipedia: Demographics of Uzbekistan', 'Wikipedia: Telecommunications in the United States Virgin Islands', 'Wikipedia: Vostok 1', 'Wikipedia: Sarasvati River']
[['Plot', 'Characters', 'Collected editions', 'See also', 'References', 'Further reading'], ['The position of turtles', 'Evolutionary history', 'Origin of the reptiles', 'Rise of the reptiles', 'Anapsids, synapsids, diapsids, and sauropsids', 'Permian reptiles', 'Mesozoic reptiles', 'Cenozoic reptiles', 'Morphology and physiology', 'Circulation', 'Pipelines', 'See also', 'References'], ['First Punic War (264–241 BC)', 'Second Punic War (218–201 BC)', 'Roman supremacy in the Greek East (200–188 BC)', 'Conquest of Greece (172–146 BC)', 'Third Punic War (149–146 BC)', 'Social troubles and first civil war (146–60 BC)', 'The Gracchi (133–121 BC)', 'Rise of Marius', "Sulla's Civil Wars", "Pompey's dominance", 'See also', 'References'], ['Administration', 'Districts', 'Independent cities', 'Demographics', 'Largest cities', 'Vital statistics', 'Religion', 'Jewish culture', 'Economy', 'Industry', 'Championship Trophy', 'Grand Slam and Triple Crown', 'Rivalry trophies', 'Venues', 'Results', 'Overall', 'Home Nations (1883–1909)', 'Five Nations (1910–1931)', 'Home Nations (1932–1939)', 'Five Nations (1940–1999)', 'Early life', 'Career', '1960s', '1970s', 'Intrapersonal phenomena', 'Attitudes', 'Persuasion', 'Social cognition', 'Heuristics', 'Schemas', 'Self-concept', 'Interpersonal phenomena', 'Social influence', 'Group dynamics', 'History', 'Antiquity', 'Modern times', 'Spelling and etymology', 'Production', 'Applications', 'Sulfuric acid', 'Other important sulfur chemistry', 'Fertilizer', 'Fine chemicals', 'Lists of Chiefs of Defense Staff Senegal', 'Summary of past military actions', 'Army', 'National Gendarmerie', 'Navy', 'Air Force', 'Citations', 'Sources'], ['Simple iron', 'Cordless iron', 'Temperature-controlled soldering iron', 'Soldering station', 'Soldering tweezers', 'Hot knife', 'Stands', 'Tips', 'Cleaning', 'Electro-static discharge', 'Origins', 'Native American influence', 'African influence', 'Cookbooks', 'Cultural relevance', 'Health concerns', 'Dishes and ingredients', 'Novels', 'Stage musicals', 'Live-action series', 'Unmade American remake', 'Pretty Guardian Sailor Moon', 'Video games', 'Tabletop games', 'Theme park attractions', 'Ice skating show', 'Reception', 'Inflected forms and derivative pronouns', 'Regional preferences', 'Usage', 'Older usage', 'Prescription of generic he', 'Contemporary use of he to refer to a generic or indefinite antecedent', 'Gender-neutral language', 'Contemporary usage', 'Use with a pronoun antecedent', 'Notional plurality or pairwise relationships', 'Names', 'Municipality', 'Economy', 'Crime rates', 'Politics', 'City government past and present', 'City districts', 'Recent election results', 'Economy', 'The cradle of the automobile', 'Science and research and development', 'Financial services', 'A history of wine and beer', 'History', 'Ideology and support patterns', 'Coalition', 'Electoral victory', 'Effects on ocean circulation', 'Occurrence and timing', 'Neoproterozoic', 'Palaeoproterozoic', 'Karoo Ice Age', 'See also', 'References', 'Further reading'], ['Etymology', 'History', 'Ingredients', 'Production', 'Fresh spaghetti', 'Dried spaghetti', 'Preparation', 'Serving', 'Lights', 'Wheels and tires', 'Skirted trailers', 'Underride guard', 'Semi-truck manufacturers', 'Asia-Pacific', 'Canada and United States', 'Other locations', "Driver's license", 'Canada', 'Graphical representations', 'Supply schedule', 'Demand schedule', 'Microeconomics', 'Equilibrium', 'Partial equilibrium', 'Other markets', 'Empirical estimation', 'Macroeconomic uses', 'History', 'Transistor as a switch', 'Transistor as an amplifier', 'Comparison with vacuum tubes', 'Advantages', 'Limitations', 'Types', 'Field-effect transistor (FET)', 'Metal-oxide-semiconductor FET (MOSFET)', 'Bipolar junction transistor (BJT)', 'Usage of MOSFETs and BJTs', 'Permanent missions', 'Thailand economic and trade office', 'International organization participation', 'See also', 'Further reading', 'References'], ['Bibliography', 'Further reading'], ['History', 'References'], ['World War II', 'Accusations of liberal bias', '2016 election', 'Jayson Blair plagiarism (2003)', 'Iraq War (2003–06)', 'Hatfill v. New York Times Co. and Kristof (2005)', 'Duke University lacrosse case (2006)', 'Israeli–Palestinian conflict', 'Delayed publication of 2005 NSA warrantless surveillance story', 'M.I.A. quotes out of context (2009–10)', 'Etymology', 'Synopsis', 'Current theocracies', 'Christian theocracies', 'Related concepts', 'Cultural views of time management', 'Creating an effective environment', 'Setting priorities and goals', 'ABCD analysis', 'Communication', 'The surgical team', 'Code freeze and system versioning', 'Specialized tools', 'Lowering software development costs', 'See also', 'Bibliography', 'References'], ['History', 'Geography', 'Districts and neighborhoods', 'Landmarks', 'Temples and shrines', 'Parks', 'Islands', 'Climate', 'Human geography', 'Demographics', 'Political geography', 'National government', 'Local government', 'Economic geography', 'Primary industry', 'Manufacturing', 'Air pollution', 'Land and Soil Pollution', 'Government environmental policy', 'Area and boundaries', 'Resources and land uses', 'References', 'Internet and cell service', 'Financial challenges', 'Statistics', 'References'], ['Background', 'Crew', 'Medical exam', 'Preparations', 'Automatic control', 'April 11, 1961', 'Technology', 'Religion', 'Trade centres', 'Genetics', 'Legacy', 'Scandinavia', 'Settlements outside Scandinavia', 'British Isles', 'Isle of Man', 'Western Europe', 'Notable people', 'See also', 'Notes', 'References', 'Further reading'], []]



['Wikipedia: Reform Judaism', 'Wikipedia: SPD (disambiguation)', 'Wikipedia: Foreign relations of Senegal', 'Wikipedia: Eswatini', 'Wikipedia: House of Sforza', 'Wikipedia: Sabrina', 'Wikipedia: SLD', 'Wikipedia: System Shock', 'Wikipedia: Stonewall riots', 'Wikipedia: Time', 'Wikipedia: Toho', 'Wikipedia: Turing Award', 'Wikipedia: Demography of the United Kingdom', 'Wikipedia: Transportation in the United States Virgin Islands', 'Wikipedia: Vagueness', 'Wikipedia: Vitamin K']
[['History', 'Other uses', 'See also', 'Notes', 'References', 'Related characters', 'Descendants and related characters in the Latin alphabet', 'Ancestors and siblings in other alphabets', 'Derived signs, symbols and abbreviations', 'Computing codes', 'Other representations', 'See also', 'References', 'Notes'], ['Reproduction', 'Defense mechanisms', 'Camouflage and warning', 'Alternative defense in snakes', 'Defense in crocodilians', 'Shedding and regenerating tails', 'Relations with humans', 'In cultures and religions', 'Medicine', 'Commercial farming', 'Africa: Southern African Development Community (SADC)', "Africa: Indian Ocean's islands", 'North America and the Caribbean', 'South and Central America', 'Oceania', 'Countries which Romania has no diplomatic relations with', 'Europe', 'Caucasus', 'Africa', 'See also', 'Manipular legion (c. 315–107 BC)', 'Legion after the reforms of Gaius Marius (107–27 BC)', 'Social structure', 'Trade and economy', 'Farming', 'Religion', 'Priesthoods', 'Temples and festivals', 'In the military', 'Cities, towns and villas', 'Definitions', 'Theology', 'God', 'Surname usage', 'House of Romanov', 'Rise to power', 'Dynastic crisis', 'House of Holstein-Gottorp-Romanov', 'Age of Autocracy', 'Gallery', 'Participating nations', 'Non-participating nations', 'Sponsorship', 'See also', 'References', 'Notes', 'Sources', 'Citations'], ['See also', 'Notes', 'Further reading'], ['Interviews', 'Listening', 'Others', 'Adolescents', 'Replication crisis', 'Academic journals', 'See also', 'Notes', 'References'], ['Further reading'], ['Science and technology', 'Pre-colonial foreign policy', 'Independence', 'Future developments in foreign policy', 'Bilateral relations', 'Settlements', 'Inhabited', 'Former', 'Line notes', 'References'], ['Discovery', 'Naming convention', 'Classification', 'Type I', 'Type II', 'Types III, IV, and V', 'Current models', 'Thermal runaway', 'Normal Type Ia', 'Non-standard Type Ia', 'Art and entertainment', 'Other uses', 'See also', 'See also'], ['Film and television', 'The Little, Brown Handbook (1992)', 'Purdue Online Writing Lab', 'The Washington Post', 'Associated Press Stylebook', 'The Handbook of Nonsexist Writing', 'Usage guidance in British style guides', 'Australian usage guidance', 'Usage guidance in English grammars', 'Grammatical and logical analysis', 'Notional agreement', 'Dating of the Bronze Age eruption', 'Ancient period', 'Medieval and Ottoman period', 'World War II', 'Modern Santorini', 'Tourism', 'Aridity', 'Agriculture', 'Wine industry', 'Architecture', 'Road transport', 'Waterways', 'Sport', 'Football', 'Other sports', 'Sporting events', 'International relations', 'Twin towns - sister cities', 'Friendships', 'Notable people', 'Presidents and Prime Ministers', 'Presidents of the Republic of Poland from SLD', 'Prime Ministers of the Republic of Poland from SLD', 'See also', 'References'], ['Players', 'Current squad', 'Other players under contract', 'Out on loan', 'Youth Sector', 'Retired numbers', 'Notable managers', 'Honours', 'National', 'European', 'Bibliography', 'Further reading'], [], ['Background', 'Homosexuality in 20th-century United States', 'Origins and early usage', 'By the left', 'Anarchists', 'Classical and orthodox Marxists', 'Communist left and council communists', 'Trotskyists', 'Maoists and anti-revisionist Marxist–Leninists', 'Flexible transistors', 'See also', 'References', 'Further reading'], ['Flora and fauna', 'Government', 'Administrative divisions', 'Foreign relations', 'Military', 'Human rights record', 'Economy', 'Agriculture', 'Mining', 'Transport', 'Five scrolls (Ḥamesh Megillot)', 'Other books', 'Nach', 'Translations', 'Jewish commentaries', 'See also', 'References', 'Further reading'], ['Points classification', 'Young rider classification', 'Minor classifications and prizes', 'Historical classifications', 'Lanterne rouge', 'Prizes', 'Stages', 'Mass-start stages', 'Time trials', 'Notable stages', 'References', 'Notes', 'Citations', 'Further reading'], ['Israel', 'Western Antiquity', 'Tibet', 'China', 'Caliphate', 'Byzantine Empire', 'Münster (16th Century)', 'Geneva and Zurich (16th century)', 'Deseret (LDS Church, USA)', 'Persia', 'See also', 'References', 'Further reading', 'Music career', 'Beginnings: 1989–1991', 'Rising star: 1992–1993', 'Stardom: 1994–1995', 'Superstardom: 1995–1996', 'Film career', 'Criminal cases', "Shooting of Qa'id Walker-Teal", 'Shooting two policemen', 'Assault convictions', 'Transportation', 'Rail', 'Highways', 'Sports and recreation', 'People', 'References'], ['Notes', 'References'], ['Regional differences', 'Life expectancy', 'Ethnic groups', 'Languages', 'Religions', 'CIA World Factbook demographic statistics', 'Age structure', 'Sex ratio', 'Infant mortality rate', 'Life expectancy at birth', 'Land', 'Roadways', 'Public transportation and taxis', 'Car rentals', 'Railways', 'See also', 'Note', 'Citations', 'References'], ['Vitamin deficiency', 'Dietary recommendations', 'Fortification', 'Sources', 'Vitamin K1', 'Mahabharata', 'Puranas', 'Smritis', 'Contemporary mythological meaning', 'Identification theories', 'Rig Vedic course', 'Ghaggar-Hakra River', 'Identification with the Sarasvati', 'Tectonics', 'Objections']]



['Wikipedia: Prime time', 'Wikipedia: History of Qatar', 'Wikipedia: Rhode Island', 'Wikipedia: Rwanda', 'Wikipedia: Reconquista', 'Wikipedia: Simon & Garfunkel', 'Wikipedia: Suleiman the Magnificent', 'Wikipedia: Seychelles', 'Wikipedia: September 27', 'Wikipedia: Talmud', 'Wikipedia: Tékumel', 'Wikipedia: Tanfield, County Durham', 'Wikipedia: Taito']
[['Asia', 'Bangladesh', 'China', 'Hong Kong and Macau', 'India', 'Indonesia', 'Prehistory', 'Paleolithic Age', 'Neolithic period (8000–3800 BC)', 'Reptiles in captivity', 'See also', 'Further reading', 'Notes', 'References'], ['References', 'History', 'Politics and government', 'City of Rome', 'Culture', 'Clothing', 'Food and dining', 'Education and language', 'Arts', 'Literature', 'Sports and entertainment', 'See also', 'Footnotes', 'Revelation', 'Ritual, autonomy and law', 'Messianic age and election', 'Soul and afterlife', 'Practice', 'Liturgy', 'Observance', 'Openness', 'Jewish identity', 'Organization and demographics', 'Downfall', 'Contemporary Romanovs', 'Execution of Tsar and family', 'Remains of the Tsar', 'Killing of other Romanovs', 'Exiles', 'Dowager Empress Maria Fyodorovna', 'Other exiles', 'Pretenders', 'Romanov family jewelry', 'Concept and duration', 'Background', 'Landing in Visigothic Hispania and initial expansion', 'Islamic rule', 'History', 'Early years (1953–56)', 'From Tom & Jerry and early recordings (1957–64)', 'Simon in England (1964–65)', 'Mainstream breakthrough and success (1965–66)', 'Studio time and low profile (1967–68)', 'Alternative names and titles', 'Early life', 'Accession', 'Military campaigns', 'Conquests in Europe', 'Ottoman–Safavid War', 'Computing', 'Medicine', 'Organisations', 'Police', 'Fiction', 'Other uses', 'See also', 'Disputes – international', 'Illicit drugs', 'See also', 'References', 'History', 'Swazi settlers (18th and 19th centuries)', 'British rule over Swaziland (1906–1968)', 'Independence (1968–present)', 'Government and politics', 'Monarchy', 'Parliament', 'Core collapse', 'Type Ib and Ic', 'Failed supernovae', 'Light curves', 'Asymmetry', 'Energy output', 'Progenitor', 'Other impacts', 'Source of heavy elements', 'Role in stellar evolution', 'History', 'Sforza rulers of the Duchy of Milan', 'Sforza rulers of Pesaro and Gradara', 'Sforza family tree', 'Notable members', 'Castellini Baldissera', 'In popular culture', 'See also', 'References', 'Literature', 'Music', 'Places', 'Ships', 'Other uses', 'See also', 'Distribution', 'Referential and non-referential anaphors', 'Cognitive efficiency', 'Comparison with other pronouns', 'See also', 'Notes', 'References', 'Citations', 'Sources', 'Bibliography', 'Notable people', 'Popular culture', 'Transport', 'Land', 'Ports', 'Airport', 'Towns and villages', 'See also', 'References'], ['In popular culture', 'Gaming', 'Novels', 'TV and Cinema', 'Gallery', 'Notes', 'Footnotes', 'Citations', 'References', 'Further reading', 'Computers and technology', 'Graphics', 'Politics and law', 'Other uses', 'Statistics and records', 'Società Sportiva Lazio as a company', 'Kit suppliers and shirt sponsors', 'World Cup winners', 'See also', 'References', 'Sources'], ['Gameplay', 'Plot', 'Development', 'Initial design', 'Production', 'Reception', 'Legacy', 'Sequels and remakes', 'Notes', 'References', 'Homophile activism', 'Earlier resistance and riots', 'Greenwich Village', 'Stonewall Inn', 'Riots', 'Police raid', 'Violence breaks out', 'Escalation', 'A second night of rioting', 'Leaflets, press coverage, and more violence', 'By liberal economists', 'By Italian Fascists', 'In Western countries and European studies', 'State monopoly capitalism', 'Political implications', 'Neo-Trotskyist theory', 'Criticism', 'In popular culture', 'Current forms in the 21st century', 'Mainland China', 'Temporal measurement', 'History of the calendar', 'History of time measurement devices', 'Units of time', 'Definitions and standards', 'World time', 'History of the development of UTC', 'The ephemeris second', 'Demographics', 'Largest cities', 'Ethnic groups', 'Religion', 'Languages', 'Health', 'Education', 'Culture', 'Sports', 'Olympics', 'Etymology', 'History', 'Babylonian and Jerusalem', 'Jerusalem Talmud', 'Advertising caravan', 'Politics', 'Corsica', 'The start and finish of the Tour', 'Starts abroad', 'Broadcasting', 'Culture', 'Arts', 'Post-Tour criteriums', 'Doping', 'History', 'Major productions and distributions', 'Film', '1930s', '1940s', '1950s', '1960s', '1970s', 'Florence under Savonarola', 'See also', 'References', 'Further reading'], ['Recipients', 'See also', 'References'], ['Sexual assault conviction', 'New York scene 1990s', 'Rap world', 'Stretch and Live Squad', 'Biggie and Junior M.A.F.I.A.', 'Underworld', 'Haitian Jack', 'Jimmy Henchman', 'Shootings of Shakur', 'November 1994', 'History', 'Mergers', 'Games', 'See also', 'Note', 'References', 'History', 'Population', 'Population change over time', 'Vital statistics', 'Total fertility rate (1552–1899)', 'Vital statistics (1900–2019)', 'Life expectancy (1543–1950)', 'Age structure', 'Social issues', 'Fertility', 'Literacy', 'Education', 'Migration', 'Uzbek Migration', 'Minorities', 'See also', 'References', 'Air', 'Airports', 'Seaplane bases', 'Sea', 'Cruise ships', 'Ferries', 'Cargo', 'Other', 'Customs', 'References', 'Importance', 'In law', 'In science', 'Approaches', 'Fuzzy logic', 'Supervaluationism', 'Subvaluationism', 'The epistemicist view', 'Vitamin K2', 'Medical uses', 'Treating newborns', 'Managing warfarin therapy', 'Treating coumarin (rodenticide) poisoning', 'Side effects', 'Chemistry', 'Conversion of vitamin K1 to vitamin K2', 'Physiology', 'Absorption', 'Helmand river', 'Contemporary politico-religious meaning', 'Drying-up and dating of the Vedas', 'Identification with the Indus Valley Civilisation', 'Revival', 'Criticism', 'See also', 'Notes', 'References', 'Sources']]



['Wikipedia: RUF', 'Wikipedia: Robert Bloch', 'Wikipedia: SAMPA', 'Wikipedia: Septuagint', 'Wikipedia: Space Shuttle', "Wikipedia: Sandler O'Neill and Partners", 'Wikipedia: Self-propelled artillery', 'Wikipedia: Segmentation fault', 'Wikipedia: Ninian', 'Wikipedia: Spherical coordinate system', 'Wikipedia: Hulk', 'Wikipedia: Politics of Uzbekistan', 'Wikipedia: Universal precautions', 'Wikipedia: Vector space', 'Wikipedia: VTOL']
[['Iraq', 'Japan', 'Malaysia', 'Pakistan', 'Philippines', 'Singapore', 'South Korea', 'Taiwan', 'Thailand', 'Vietnam', 'Bronze Age (2100–1155 BC)', 'Antiquity', 'Iron Age and Babylonian–Persian control (680–325 BC)', 'Hellenistic period (325–250 BC)', 'Persian control (250 BC–642 AD)', 'Muslim rule', 'Umayyad period (661–750)', 'Abbasid period (750–1253)', 'Post-Islamic Golden Age', 'Usfurids and Ormus control (1253–1515)', 'Origin of the name', 'Attempts to change the name', 'History', 'Colonial era: 1636–1770', 'Revolutionary to Civil War period: 1770–1860', 'Civil War', 'Gilded Age', 'Administrative divisions', 'Geography', 'Biodiversity', 'Economy', 'Media and communications', 'Infrastructure', 'Demographics', 'Religion', 'Languages', 'Sexuality', 'References', 'Ancient sources', 'Works cited', 'General history of the Roman Republic (ordered chronologically)', 'Specific subjects'], ['History', 'Beginnings', 'Consolidation in German lands', 'America and Classical Reform', 'The World Union', 'The New Reform Judaism', 'See also', 'References'], ['Heraldry', 'Smaller coat of arms (elements)', 'Family tree', 'See also', 'References'], ['Reconquista', 'Beginning of the Reconquista', 'Franks and Al-Andalus', 'Pepin the Younger and Charlemagne', 'Expansion into the Crusades and military orders', 'Christian military culture in medieval Hispania', 'Gothic influence on cavalry and infantry', 'Technological changes', 'Northern Christian realms', 'Kingdom of Asturias (718–924)', 'Growing apart and final album (1969–70)', 'Breakup, rifts, and reunions (1971–1990)', 'Awards and final tour (1990–2018)', 'Musical style and legacy', 'Awards', 'Discography', 'Studio albums', 'Live albums', 'Soundtracks', 'Compilation albums', 'Campaigns in the Indian Ocean', 'Mediterranean and North Africa', 'Legal and political reforms', 'The arts under Suleiman', 'Personal life', 'Wives and concubines', 'Children', 'Sons', 'Daughters', 'Relationship with Hurrem Sultan', 'Features', 'See also', 'References'], ['History', 'Independence', 'Politics', 'Political culture', 'Foreign relations', 'Administrative divisions', 'Geography', 'Climate', 'Wildlife', 'Political culture', 'Elections', 'Foreign relations', 'Judiciary', 'Chief Justices', 'Military', 'Administrative divisions', 'Geography', 'Climate', 'Climate change', 'Cosmic rays', 'Gravitational waves', 'Effect on Earth', 'Milky Way candidates', 'See also', 'References', 'Further reading'], [], ['Names', 'Composition', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['Further reading'], ['Design and development', 'History', 'September 11th attacks', 'See also'], ['History', 'Precursors', 'Overview', 'Causes', 'Handling', 'Examples', 'Writing to read-only memory', 'Null pointer dereference', 'Background', 'Traditional story', 'Bede (c. 731)', 'Aelred (c. 1160)', 'Ussher (1639)'], ['Definition', 'Conventions', 'Aftermath', 'Gay Liberation Front', 'Gay Activists Alliance', 'Gay Pride', 'Legacy', 'Unlikely community', 'Rejection of prior gay subculture', 'Lasting impact and recognition', 'Stonewall Day', 'Historic landmark and monument', 'Taiwan', 'Norway', 'Singapore', 'See also', 'References', 'Bibliography'], ['The SI second', 'Current application of UTC', 'Time conversions', 'Sidereal time', 'Chronology', 'Time-like concepts: terminology', 'Philosophy', 'Religion', 'Linear and cyclical time', 'Time in Greek mythology', 'Football', 'Basketball', 'Media', 'Celebrations', 'See also', 'References', 'Further reading'], ['Babylonian Talmud', 'Comparison of style and subject matter', 'Structure', 'Mishnah', 'Baraita', 'Gemara', 'Minor tractates', 'Language', 'Translations', 'Talmud Bavli', 'Deaths', 'Records and statistics', 'Record winners', 'Notes', 'References', 'Bibliography', 'Further reading'], ['1980s', '1990s', '2000s', '2010s', '2020s', 'Upcoming', 'Television', 'Tokusatsu', 'Anime', 'Video games', 'Sources', 'Setting', 'Layout', 'Languages', 'Published works', 'Board games', 'Roleplaying', 'Novels', 'History', 'Economy', 'Collieries', 'Religious sites', 'Notable people', 'References', 'Death Row signs Shakur', 'Death', 'Legacy and remembrance', 'Afeni Shakur', 'Academic appraisal', 'Multimedia releases', 'Film and stage', 'Awards and honors', 'Discography', 'Studio albums'], ['Publication history', 'Concept and creation', 'Death rate and cause', 'Other demographics statistics', 'LGBT', 'Country of birth', 'Ethnicity', 'Religion', 'Languages', 'National identity', 'Education', 'See also', 'Independence', '1992 constitution', 'Opposition parties and the media', 'Crackdown on Islamic fundamentalism', 'Executive branch', 'Legislative branch', 'Historical significance', 'Use', 'Equipment', 'As a property of objects', 'Legal principle', 'See also', 'References', 'Further reading'], ['Biochemistry', 'Function in animals', 'Gamma-carboxyglutamate proteins', 'Methods of assessment', 'Function in bacteria', 'History', 'Research', 'Osteoporosis', 'Cardiovascular health', 'References', 'Further reading'], ['History']]



['Wikipedia: Reconstructionist Judaism', 'Wikipedia: State Street Corporation', 'Wikipedia: Sheryl Crow', 'Wikipedia: Sergei Prokofiev', 'Wikipedia: September 11', 'Wikipedia: Sergei Eisenstein', 'Wikipedia: Signal separation', 'Wikipedia: Syringomyelia', 'Wikipedia: History of Togo', 'Wikipedia: Thiamine', 'Wikipedia: Tundra', 'Wikipedia: Chicken or the egg', 'Wikipedia: Trinitarian (disambiguation)', 'Wikipedia: Politics of the United Kingdom', 'Wikipedia: Economy of Uzbekistan', 'Wikipedia: Uniform Resource Identifier', 'Wikipedia: Volvox']
[['Europe', 'Bosnia and Herzegovina', 'Croatia', 'Denmark', 'Finland', 'France', 'Georgia', 'Germany', 'Greece', 'Hungary', 'Portuguese and Ottoman control (1521–1670)', 'Origin of the Bani Utbah Tribe', 'Rule of Bani Khalid (1670–1783)', 'Al Khalifa and Saudi control (1783–1868)', 'British involvement', 'Bahraini–Saudi contention', 'Economic repercussions', 'Qatari–Bahraini War', 'Ottoman control (1871–1915)', 'Battle of Al Wajbah', 'World War I', 'Growth in the modern era: 1929–present', 'Geography and climate', 'Government', 'Elections', 'Legislation and taxes', 'Demographics', 'Birth data', 'Religion', 'Cities and towns', 'Culture', 'Cuisine', 'Sport', 'Education', 'Health', 'See also', 'Notes', 'References'], ['Government', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'Origin', 'Theology', 'Jewish law and tradition', 'Beliefs', 'Early life and education', 'Career', 'Weird Tales magazine and the influence of H. P. Lovecraft', 'Milwaukee Fictioneers and the Depression', 'Campaign manager for Carl Zeidler', '1940s and 1950s', 'Jack the Ripper', 'Kingdom of Leon (910–1230)', 'Kingdom of Castile (1037–1230)', 'Kingdom of Navarre (824–1620)', 'Kingdom of Aragon (1035–1706)', 'Kingdom of Portugal (1139–1910)', 'Other', 'Christian infighting', 'Christian repopulation of Hispania', 'Muslim decline and defeat', 'Fall of the Caliphate', 'Box sets', 'References', 'Sources'], ['Languages', 'Grand Vizier Pargalı Ibrahim Pasha', 'Succession', 'Death', 'Legacy', 'See also', 'Notes', 'References', 'Further reading'], ['Childhood and education', 'Career', '1986–1991: Early years', '1992: Scrapped debut album', '1993–1997: International success', 'Environmental issues', 'Demographics', 'Languages', 'Religion', 'Economy', 'Tourism', 'Energy', 'Culture', 'Art', 'Music', 'Wildlife', 'Economy', 'Society', 'Demographics', 'Population centres', 'Languages', 'Religion', 'Health', 'Education', 'Higher education', 'Biography', 'Childhood and first compositions', 'Formal education and controversial early works', 'First ballets', 'First World War and Revolution', 'Jewish legend', 'History', 'Language', 'Canonical differences===', 'Final form', "Theodotion's translation====", 'Use', 'Jewish use', 'Christian use', 'Textual history', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'Historical background', 'Design process', 'Development', 'Testing', 'Description', 'Orbiter', 'Crew', 'Crew compartment', 'Flight systems', 'Payload bay', 'References'], ['Early life', 'World War I', 'Between the wars', 'World War II', 'Mortars', 'Howitzers and guns', 'Rockets and missiles', 'See also', 'Notes', 'Sources'], ['Buffer overflow', 'Stack overflow', 'See also', 'References'], ['Other sources', 'Dedications to St Ninian', 'Gallery', 'See also', 'References', 'Bibliography'], ['Unique coordinates', 'Plotting', 'Applications', 'In geography', 'In astronomy', 'Coordinate system conversions', 'Cartesian coordinates', 'Cylindrical coordinates', 'Modified spherical coordinates', 'Integration and differentiation in spherical coordinates', 'Media representations', 'Film', 'Music', 'Theatre', 'Notable participants', 'See also', 'Footnotes', 'References', 'Sources'], ['Signs and symptoms', 'Cause', 'Congenital', 'Acquired', 'Pathogenesis', 'Diagnosis', 'Time in Kabbalah', 'In Western Philosophy', 'Time as "unreal"', 'Physical definition', 'Classical mechanics', 'Spacetime', 'Time dilation', 'Relativistic time versus Newtonian time', 'Arrow of time', 'Quantized time', 'Pre-colonial', 'Colonial rule', 'German Togoland', 'League of Nations mandates', 'Independence and turmoil', 'Steinsaltz', 'Artscroll', 'Soncino', 'Others', 'Talmud Yerushalmi', 'Printing', 'Bomberg Talmud 1523', 'Benveniste Talmud 1645', 'Slavita Talmud 1795 and Vilna Talmud 1835', 'Critical editions', 'Medical uses', 'Thiamine deficiency', 'Prenatal supplementation', 'Other uses', 'Adverse effects', 'Headquarters', 'See also', 'References', 'Further reading'], ['The Tékumel Journal', 'References', 'Further reading'], ['All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'Posthumous studio albums', 'Collaboration albums', 'Posthumous collaboration albums', 'Filmography', 'Biographical portrayals in film', 'Documentaries', 'See also', 'References', 'Further reading'], ['Series history', 'Fictional character biography', 'Alternative versions of Hulk', 'Characterization', 'Personality', 'Bruce Banner', 'Hulk', 'Powers and abilities', 'Supporting characters', 'Cultural impact', 'Notes', 'References', 'Bibliography', 'Political parties and elections', 'Administrative divisions', 'Cabinet of Ministers', 'International organization participation', 'References'], ['Additional precautions', 'Adverse effects', 'See also', 'Footnotes'], ['Introduction and definition', 'First example: arrows in the plane', 'Second example: ordered pairs of numbers', 'Definition', 'Alternative formulations and elementary consequences', 'History', 'Examples'], ['Description', 'Reproduction', 'Props, proprotors and advanced rotorcraft', 'Jet lift', 'V/STOL', 'Modern drones', 'Rockets', 'Rotorcraft', 'Helicopter', 'Autogyro', 'Gyrodyne', 'Cyclogyro']]



['Wikipedia: Demographics of Rwanda', 'Wikipedia: Rickenbacker', 'Wikipedia: Photek', 'Wikipedia: Scotland', 'Wikipedia: Geography of Eswatini', 'Wikipedia: Spider-Man', 'Wikipedia: Sinatra Doctrine', 'Wikipedia: Standard Generalized Markup Language', 'Wikipedia: Sleipnir (disambiguation)', 'Wikipedia: Sheffer stroke', 'Wikipedia: Tuscarora people', 'Wikipedia: The Damned (band)', 'Wikipedia: The Picture of Dorian Gray', 'Wikipedia: Vermouth']
[['Iceland', 'Ireland', 'Italy', 'Netherlands', 'Norway', 'Poland', 'Russia', 'Slovakia', 'Slovenia', 'Spain', 'Later Ottoman presence', 'British protectorate (1916–1971)', 'Oil drilling', 'Protests and reforms', 'Federation of nine Emirates', 'Independence (1971–presence)', 'Arab Spring and military involvements (2010–)', 'Diplomatic crises (2014–)', 'See also', 'References', 'Economy', 'Largest employers', 'Transportation', 'Bus', 'Ferry', 'Rail', 'Aviation', 'Limited access highways', 'Bicycle paths', 'Environmental legislation', 'General', 'Tourism', 'Ethnic groups', 'History', 'Founding', 'Early history', 'Fry-pan & Electro-Spanish', 'Model B Electric', 'Jewish identity', 'Organizations', 'Relation to other Jewish movements', 'Notes', 'References'], ['Psycho', 'The early 1960s: Screenwriting and fiction', 'The 1960s and 1970s: Film & TV writing', 'The later 1960s and 1970s: Fiction', 'The 1980s', 'The 1990s: Last works', 'Personal life', 'Comic adaptations', 'Audio adaptations', 'Bibliography', 'Almoravids', 'Almohads', 'Granada War and the end of Muslim rule in Hispania', 'Conversions and expulsions', 'Spanish Inquisition', 'Classifications and later consequences', 'Legacy', 'Festivals in modern Spain and Portugal', 'Persistent effects', 'Reverberations', 'Current operations', 'Investment servicing: State Street Global Services', '1993 SPDR innovation', 'State Street Global Markets', 'History', '20th century', '21st century', 'Controversies', 'Currency trade fraud', 'Etymology', 'History', 'Early history', '1998–1999: The Globe Sessions and live album', "2002–2004: C'mon, C'mon and The Very Best of", '2005–2007: Wildflower', '2008–2009: Detours', '2010–2012: 100 Miles from Memphis', '2013–2015: Feels Like Home', '2017–present: Be Myself and Threads', 'Instruments and Signature Model guitars', 'Personal life', 'Relationships', 'Cuisine', 'Media', 'Sports', 'Women', 'Education', 'Security', 'Military', 'Incarceration', 'Modern piracy', 'See also', 'Culture', 'See also', 'References'], ['Life abroad', 'First visits to the Soviet Union', 'Return to Russia', 'War years', 'Postwar', 'Death', 'Posthumous reputation', 'Honours and awards', 'Works', 'Recordings', 'Textual analysis', 'Manuscripts', 'Differences from the Vulgate and the Masoretic Text====', 'Dead Sea Scrolls', 'Print editions===', 'English translations', 'Society and journal', 'See also', 'Notes', 'References', 'References'], ['Publication history', 'Remote Manipulator System', 'Spacelab', 'RS-25 engines', 'Orbital Maneuvering System', 'Thermal protection system', 'External tank', 'Solid Rocket Boosters', 'Support vehicles', 'Mission profile', 'Launch preparation', 'Education', 'Career', 'From theatre to cinema', 'Travels to western Europe', 'American projects', 'Mexican odyssey', 'Return to Soviet Union', 'Comeback', 'Ivan trilogy', 'Personal life', 'History', 'See also', 'References', 'Applications', 'Cocktail party problem', 'Image processing', 'Medical imaging', 'EEG', 'Music', 'Others', 'Mathematical representation', 'Standard versions', 'History', 'Document validity', 'Terminology', 'Syntax', 'Optional features', 'Distance in Spherical Coordinates', 'Kinematics', 'See also', 'Notes', 'Bibliography'], ['Definition', 'Truth table', 'Logical equivalences', 'Treatment', 'Surgery', 'Other', 'Research', 'See also', 'References'], ['Time travel', 'Time perception', 'Biopsychology', 'Development of awareness and understanding of time in children', 'Alterations', 'Use of time', 'Sequence of events', 'Spatial conceptualization of time', 'See also', 'Organizations', "Eyadéma's rule", 'The third republic', 'Opposition', 'Powerless legislature and political violence', 'Negotiating with the opposition', 'Edem Kodjo named as Prime Minister', 'National Assembly elections', "Death of Eyadéma and Gnassingbé's rise", 'See also', 'References', 'Editions for a wider audience', 'Incomplete sets from prior centuries', 'Other notable editions', 'Scholarship', 'Geonim', 'Halakhic and Aggadic extractions', 'Commentaries', 'Pilpul', 'Sephardic approaches', 'Brisker method', 'Chemistry', 'Biosynthesis', 'Nutrition', 'Occurrence in foods', 'Dietary recommendations', 'Antagonists', 'Food fortification', 'Absorption and transport', 'Absorption', 'Bound to serum proteins', 'Arctic', 'Relationship to global warming', 'Antarctic', 'Alpine', 'Climatic classification', 'See also', 'References', 'Further reading', 'Ancient paradox==', 'Scientific resolutions', 'See also', 'References', 'Further reading', 'History', 'Formation and Stiff years (1976–1978)', 'Reformation and Machine Gun Etiquette (1978–1979)', 'Shift towards gothic rock (1980–1987)', 'Summary', 'Plot', 'Characters', 'Analysis', 'Other Marvel Comics characters called the Hulk', 'Other versions', 'In other media', 'Reception', 'See also', 'References'], ['History', 'The Crown', 'Executive', 'The United Kingdom Government', 'The Prime Minister and the Cabinet', 'Government departments and the Civil Service', 'Devolved national administrations', 'Scottish Government', 'Welsh Government', 'Northern Ireland Executive', 'GDP and employment', 'Labor', 'Prices and monetary policy', 'Agriculture', 'Natural resources and energy', 'External trade and investment', 'Banking', 'URLs and URNs', 'Generic syntax', 'Definition', 'Examples', 'URI references', 'URI resolution', 'History', 'Naming, addressing, and identifying resources', 'Coordinate space', 'Complex numbers and other field extensions', 'Function spaces', 'Linear equations', 'Basis and dimension', 'Linear maps and matrices', 'Matrices', 'Eigenvalues and eigenvectors', 'Basic constructions', 'Subspaces and quotient spaces', 'Colony inversion', 'Habitats', 'History', 'Evolution', 'References'], ['Powered lift', 'Convertiplane', 'Tiltrotor', 'Tilting ducted fan', 'Tiltwing', 'Tail-sitter', 'Vectored thrust', 'Tiltjet', 'Lift jets', 'Lift fans']]



['Wikipedia: Geography of Qatar', 'Wikipedia: Raku ware', 'Wikipedia: Serbia and Montenegro', 'Wikipedia: Codex Sinaiticus', 'Wikipedia: Simplified molecular-input line-entry system', 'Wikipedia: Stephen Cole Kleene', 'Wikipedia: Sacha Pecaric', 'Wikipedia: Tone', 'Wikipedia: Geography of Togo', 'Wikipedia: The Chronicles of Narnia', 'Wikipedia: Champion of the Universe', 'Wikipedia: Telecommunications in Uzbekistan']
[['Sweden', 'Ukraine', 'United Kingdom', 'North America', 'Prime time in the context of U.S. radio/TV-revenues', 'South America', 'Argentina', 'Chile', 'Oceania', 'Australia', 'Bibliography'], ['General topography', 'Media', 'Education', 'Primary and secondary schools', 'Colleges and universities', 'Culture', 'Local accent', 'Food and beverages', 'Rhode Island state symbols', 'In popular culture', 'Notable firsts in Rhode Island', 'Population', 'Structure of the population  ===', 'Vital statistics', 'Fertility and Births', 'Life expectancy', 'Other demographic statistics', 'Age structure', 'Median age', 'Birth rate', 'Death rate', 'Guitars and 1960s rock and roll', 'Hallmarks of Rickenbackers', 'Basses', 'Acoustic guitars', 'Pickups', 'Copyright enforcement', 'Product list', 'Notable Rickenbacker players', 'References'], ['Biography', 'Education', 'Early career 1993–1999', '2000–2012', 'Grammy nominations', 'Recent activities', 'Remixes', 'Novels', 'Short-story collections', 'Anthologies and collections edited by Bloch', 'Short stories', 'Non-fiction', 'Awards', 'Films', 'Unproduced screenplays', 'Documentaries', 'Robert Bloch Collection, University of Wyoming', 'Timeline of major dates', 'See also', 'Notes', 'References', 'Bibliography'], ['Non-disclosure of short position', 'Shareholder complaints', 'Secret commissions', 'Fearless Girl statue', 'Financials', 'See also', 'References'], ['Archives and records', 'Middle Ages', 'Early modern period', '18th century', '19th century', '20th century', '21st century', 'Geography and natural history', 'Geology and geomorphology', 'Climate', 'Flora and fauna', 'Health', 'Family and home life', 'Religion', 'Politics', 'Honorary degrees', 'Discography', 'Filmography', 'Books', 'See also', 'References', 'References'], ['Name', 'Climate', 'Physical geography', 'Natural resources', 'Environment', 'Extreme points'], ['Bibliography', 'Autobiography and diaries', 'Notes', 'References', 'Sources', 'Memoirs, essays, etc.', 'Biographies', 'Other monographs and articles', 'Dictionary articles', 'Further reading', 'Further reading'], ['Description', 'Creation and development', 'Commercial success', 'Fictional character biography', 'Early years', '1970s', '1980s', '1990s', '2000s', '2010s', '"Big Time"', 'Launch', 'In orbit', 'Re-entry and landing', 'Landing sites', 'Post-landing processing', 'Space Shuttle program', 'Budget', 'Disasters', 'Criticism', 'Retirement', 'Death', 'Film theorist', 'Honours and awards', 'Filmography', 'Bibliography', 'References', 'Sources', 'Documentaries', 'Filmed biographies', 'Further reading', 'History', 'Terminology', 'Graph-based definition', 'Approaches', 'Methods', 'See also', 'References'], ['Concrete and abstract syntaxes', 'Markup minimization', 'OMITTAG', 'SHORTREF', 'SHORTTAG', 'NET', 'Other features', 'Formal characterization', 'Derivatives', 'XML', 'Places', 'Ships and offshore', 'Sports', 'Other uses', 'History', 'Properties', 'Other Boolean operations in terms of the Sheffer stroke', 'Formal system based on the Sheffer stroke', 'Symbols', 'Syntax', 'Calculus', 'Simplification', 'See also', 'Notes', 'Education and scholarship', 'References'], ['Miscellaneous arts and sciences', 'Miscellaneous units of time', 'References', 'Further reading'], ['Sources', 'Further reading'], ['Critical method', 'Textual emendations', 'Historical analysis, and higher textual criticism', 'Contemporary scholarship', 'Role in Judaism', 'Sadducees', 'Karaism', 'Reform Judaism', 'Humanistic Judaism', 'Present day', 'Cellular uptake', 'Tissue distribution', 'Excretion', 'Function', 'Thiamine diphosphate', 'Thiamine triphosphate', 'Adenosine thiamine triphosphate', 'Adenosine thiamine diphosphate', 'History', 'See also'], ['Background and conception', 'Name', 'History', 'Migration north', 'Language', 'National government-recognized Tuscarora tribes', 'Tuscarora bands in North Carolina', 'Tuscarora descendants in Oklahoma', 'Notable Tuscarora', 'Final Damnation Tour (1988-89)', 'Second and third reformations (1990–1995)', 'Return of Captain Sensible and new lineup (1996–2003)', 'Lineup change, 40th anniversary, and new album (2004–present)', 'Discography', 'Members', 'References'], ['Allusions', 'Faust', 'Shakespeare', 'Joris-Karl Huysmans', 'Literary significance', 'Possible Disraeli influence', 'Publication history', 'Preface', 'Criticism', 'Textual revisions', 'Publication history', 'Fictional character biography', 'Powers and abilities', 'Characteristics', 'In other media', 'Legislatures', 'UK Parliament', 'House of Commons', 'House of Lords', 'Devolved national legislatures', 'Scottish Parliament', 'Welsh Parliament (Senedd)', 'Northern Ireland Assembly', 'Judiciary', 'England, Wales and Northern Ireland', 'Tourism', 'Miscellaneous data', 'See also', 'References', 'Refinement of specifications', 'Relation to XML namespaces', 'See also', 'Notes', 'References', 'Citations', 'Cited works'], ['Direct product and direct sum', 'Tensor product', 'Vector spaces with additional structure', 'Normed vector spaces and inner product spaces', 'Topological vector spaces', 'Banach spaces', 'Hilbert spaces', 'Algebras over fields', 'Applications', 'Distributions', 'Etymology and history', 'Production, ingredients, and flavours', 'Modern use', 'Beverage', 'Cooking', 'Storing', 'Notable brands', 'Lift via Coandă effect', 'Gallery', 'See also', 'References', 'Notes', 'Bibliography'], []]



['Wikipedia: Pelton wheel', 'Wikipedia: Romeo and Juliet', 'Wikipedia: Homosexuality and religion', 'Wikipedia: Recorder (musical instrument)', 'Wikipedia: Spanish language', 'Wikipedia: Structuralist film theory', 'Wikipedia: Demographics of Eswatini', 'Wikipedia: Satellite', 'Wikipedia: Snow', 'Wikipedia: Superman', 'Wikipedia: GAM-87 Skybolt', 'Wikipedia: Stalactite', 'Wikipedia: Sergio Aragonés', 'Wikipedia: Demographics of Togo', 'Wikipedia: Thomas Cranmer', 'Wikipedia: The Center', 'Wikipedia: Tupolev Tu-144', 'Wikipedia: The ring of the Nibelungs', 'Wikipedia: Beyonder', 'Wikipedia: Union of International Associations', 'Wikipedia: Vinland', 'Wikipedia: Vega']
[['New Zealand', 'See also', 'References'], ['Climate', 'Wildlife', 'Flora', 'Fauna', 'Area and land boundaries', 'Maritime claims', 'Islands', 'Resources and land use', 'Geology and mineral deposits', 'Political and human geography', 'Miscellaneous local culture', 'Sports', 'Professional', 'Current professional teams', 'Current semi-professional teams', 'Collegiate and amateur sports', 'Landmarks', 'Notable people', 'See also', 'References', 'Total fertility rate', 'Population growth rate', "Mother's mean age at first birth", 'Contraceptive prevalence rate', 'Net migration rate', 'Dependency ratios', 'Urbanization', 'Life expectancy at birth', 'Sex ratio', 'Nationality', 'Characters', 'Synopsis', 'Sources', 'Discography', 'References'], ['References', 'Sources', 'Further reading'], ['History', 'Western raku', 'Kilns and firing', 'Reduction process', 'Raku reduction', 'Design considerations', 'In literature', 'Estimated number of speakers', 'Names of the language and etymology', 'Names of the language', 'Etymology', 'Demographics', 'Religion', 'Politics and government', 'Devolved government relations', 'International diplomacy', 'Constitutional changes', 'Administrative subdivisions', 'Law and criminal justice', 'Health care', 'Economy'], ['Overview', 'See also', 'History', 'Foundation', 'Yugoslav Wars', 'Economic Collapse during Yugoslav Wars', 'Kosovo War', 'Bulldozer Revolution', 'Dissolution of Yugoslavia', 'Politics', 'Military', 'Administrative divisions', 'Population', 'Vital statistics', 'Fertility and Births', 'Life expectancy at birth', 'Other demographic statistics', 'Median age'], ['History', 'Tracking', 'Text', 'Contents', 'Additions', 'Unique and other textual variants', 'Witness of some readings of "majority"', 'Orthodox reading', 'Text-type and relationship to other manuscripts', 'History', 'Early history', 'Provenance', '"Spider Island"', '"All-New Marvel NOW"', '"All-New, All-Different Marvel"', '"Fresh Start"', 'Personality and themes', 'Powers, skills, and equipment', 'Supporting cast', 'Enemies', 'Romantic interests', 'Alternate versions of Spider-Man', 'In popular culture', 'See also', 'Notes', 'References'], [], ['Creation and conception', 'Influences', 'Description', 'Atoms', 'Bonds', 'Rings', 'Aromaticity', 'Branching', 'Stereochemistry', 'Isotopes', 'Examples', 'Other examples of SMILES', 'Biography', 'Legacy', 'Selected publications', 'See also', 'Notes', 'References'], ['HTML', 'OED', 'Others', 'Applications', 'See also', 'References'], ['History', 'Background', 'WS-199 and WS-138', 'British involvement', 'Development and testing', 'Cancellation', 'References'], ['Formation and type', 'Early life', 'Arrival in the United States', 'Marginals', 'Comic books', 'Television', 'Awards', 'Color-related', 'Sound and music', 'Musical genres, groups, and works', 'Places', 'Physiology', 'Other uses', 'See also', 'Land use', 'Physical Geography', 'Climate', 'Environment', 'Extreme points', 'References', 'In visual arts', "In Carl Schleicher's paintings", 'Jewish art & photography', 'Other contexts', 'Criticism', 'Middle Ages', '19th century and after', 'Contemporary accusations', 'See also', 'References', 'References'], ['Origins', 'Publication history', 'Books', 'The Lion, the Witch and the Wardrobe (1950)', 'Prince Caspian: The Return to Narnia (1951)', 'The Voyage of the Dawn Treader (1952)', 'The Silver Chair (1953)', 'The Horse and His Boy (1954)', "The Magician's Nephew (1955)", 'The Last Battle (1956)', 'Reading order', 'Iroquoian peoples', 'See also', 'References', 'Further reading'], ['Development', 'Design', 'Engines', 'Production', 'Operational history', 'Adaptations', 'Bibliography', 'Editions', 'See also', 'References'], ['References'], ['Publication history', 'Scotland', 'Electoral systems', 'Political parties', 'Conservatives (Tories)', 'Labour', 'Scottish National Party', 'Liberal Democrats', 'Northern Ireland parties', 'Plaid Cymru', 'Other parliamentary parties', 'Telephone', 'Domestic system', 'International system', 'Radio', 'Television', 'Internet', 'References', 'Aims', 'History', 'Top International Meetings Countries and Cities in 2018', 'Top International Meetings Countries and Cities from 1999—2018', 'Top International Meetings Countries and Cities in 2012', 'Fourier analysis', 'Differential geometry', 'Generalizations', 'Vector bundles', 'Modules', 'Affine and projective spaces', 'See also', 'Notes', 'Citations', 'References', 'See also', 'Notes', 'References', 'Further reading', 'Nomenclature', 'Observation', 'Observational history', 'Physical characteristics', 'Rotation', 'Element abundance']]



['Wikipedia: Religion', 'Wikipedia: Shire', 'Wikipedia: St. John Fisher College', 'Wikipedia: Summer', 'Wikipedia: Turkic languages', 'Wikipedia: The Modern Lovers', 'Wikipedia: Theology', 'Wikipedia: Trilogy', 'Wikipedia: Tibet']
[['History', 'Discovery and early research', 'World War I and post-war', 'World War II and post-war', 'Mechanism', 'Mathematical description', 'Crystal classes', 'Population growth rate', 'Sex ratio', 'Average life span (Life expectancy at birth)', 'Total fertility rate', 'Nationality', 'Ethnic groups===', 'Religions', 'Languages', 'Literacy', 'Obesity - adult prevalence rate', 'Race', 'Teen culture', 'Dance styles', 'Notes', 'References'], ['Current Presidential Overview', 'Legislative branch', 'Political parties and elections', 'Judicial branch', 'Decentralization system', 'Key ministers', 'International organization participation', 'References'], ['Music', 'Literature and art', 'Screen', 'Modern social media and virtual world productions', 'Scene by scene', 'See also', 'Notes and references', 'Notes', 'References', 'Editions of Romeo and Juliet', 'Unitarian Universalism', 'Humanism', 'Candomblé', 'Unification Church', 'Religious groups and public policy', 'See also', 'References', 'Sources', 'Technique', 'Playing position', 'Forked fingerings', 'Partial covering of holes', 'Holes 6 and 7', 'Covering the bell', 'Breath', 'Tongue, mouth and throat', 'Coordination', 'Basic fingering', 'Career revival', 'Traveling Wilburys and Mystery Girl', 'Death', 'Style and legacy', 'Songwriting', 'Structures', 'Themes', 'Voice quality', 'Performance', 'Discography', 'Ustedes', 'Usted', 'Third-person object pronouns', 'Vocabulary', 'Relation to other languages', 'Judaeo-Spanish', 'Writing system', 'Organizations', 'Royal Spanish Academy', 'Association of Spanish Language Academies', 'Water', 'See also', 'References', 'Further reading'], ['Mechanism', 'Diagnosis', 'Classification', 'Physical examination', 'Tests', 'Differential diagnosis', 'Prevention', 'Management', 'Medication', 'Prognosis', 'Vital statistics', 'Structure of the population  ===', 'Other demographic statistics', 'Population', 'Age structure', 'Median age', 'Birth rate', 'Nationality', 'Ethnic groups', 'Religions===', 'Languages===', 'Literacy', 'School life expectancy (primary to tertiary education)', 'See also', 'Notes', 'Attitude and orbit control subsystem', 'Communication payload', 'End of life', 'Launch-capable countries', 'Attempted first launches', 'Other notes', 'Launch capable private entities', 'First satellites of countries', 'Attempted first satellites', 'Planned first satellites', 'History', 'Academics', 'School of Arts and Sciences', 'Ralph C. Wilson, Jr. School of Education', 'School of Business', 'Wegmans School of Pharmacy', 'Population and city plans', 'Trade', 'Age of Liberty (1718–1772)', 'Gustavian era (1772–1809)', 'Early industrial era (1809–1850)', 'Late industrial era (1850–1910)', '20th century', 'See also', 'Notes', 'References', 'Snowmelt', 'Glaciers', 'Science', 'Measurement and classification', 'Satellite data', 'Models', 'Effects on human activity', 'Transportation', 'Highway', 'Aviation', 'Supporting characters', 'Antagonists', 'Alternative depictions', 'Cultural impact', 'The superhero archetype', 'Fine Art', 'Parodies and homages', 'Musical references', 'Literary analysis', 'An allegory for immigrants', 'Aftermath', 'Further popular resistance: incorporation into the City', 'Demographics', 'Census 2011', 'Census 2001', 'Cityscape', 'Landmarks', 'Climate', 'Transport', 'Rail', 'Automobiles', 'Modifications', 'Permissions', 'Reform and Reconstructionist views', 'Encouraged activities', 'Special Shabbat', 'Sabbath adaptation', 'See also', 'References', 'Gene transposition', 'Rates', 'Punctuated evolution', 'See also', 'References', 'Bibliography', 'Further reading'], ['APS report', 'Strategic Defense System', 'Global Protection Against Limited Strikes (GPALS)', 'Ballistic Missile Defense Organization (BMDO)', 'Ground-based programs', 'Extended Range Interceptor (ERINT)', 'Homing Overlay Experiment (HOE)', 'ERIS and HEDI', 'Directed-energy weapon (DEW) programs', 'X-ray laser', 'Awards', 'Collected editions', 'Merchandise', 'Film adaptation', 'References'], ['19th century', '20th century', '21st century', 'Free trade', 'Perspectives', 'Protectionism', 'Religion', 'Development of money', 'Trends', 'Doha rounds', 'Characteristics', 'History', 'Pre-history', 'Dependency ratios', 'Urbanization', 'Ethnic groups', 'Religions{{cite web|url=https://www.cia.gov/library/publications/the-world-factbook/geos/to.html|title=', 'HIV Prevalence', 'Sex ratio', 'Literacy', 'School life expectancy (primary to tertiary education)', 'Unemployment, youth ages 15-24', 'References', 'The original Modern Lovers, 1970–1974', 'Break-up and release of first album', 'Jonathan Richman and The Modern Lovers, 1976–1988', 'Influence', 'Etymology', 'Classical philosophy', 'Later usage', 'In religion', 'Abrahamic religions', 'Antagonists', 'Jadis, the White Witch', 'Miraz', 'Lady of the Green Kirtle', 'Rabadash', 'Shift the Ape', 'Title characters', 'Appearances of main characters', 'Narnian geography', 'Influences', 'Turbine', 'Twin-turbo', 'Twin-scroll', 'Variable-geometry', 'Compressor', 'Center housing/hub rotating assembly', 'Additional technologies commonly used in turbocharger installations', 'Intercooling', 'Top-mount (TMIC) vs. front-mount intercoolers (FMIC)', 'Methanol/water Injection', 'Incidents and accidents', 'Paris Air Show crash', 'Yegoryevsk crash', 'Specifications (Tu-144D)', 'See also', 'References', 'Notes', 'Citations', 'Bibliography'], ['History', 'Adding works to an existing trilogy', 'Unofficial or mistaken trilogies', 'See also', 'References', 'Names', 'Language', 'History', 'Early history', 'Tibetan Empire', 'Yuan dynasty', '1945 to 1979', '1979 to 1997', '1997 to 2008', '2009 to 2020', '2020', 'Government spending and economic management', 'Taxation', 'Sectors', 'Agriculture', 'Construction', 'History', 'Activities and foreign relations', 'Arms control and non-proliferation', 'Land Forces', 'Organisation', 'List of Formations', 'Army Headquarters (Tashkent)', 'Regular Army', 'Exercises', 'Current equipment', 'Current design', 'List of designs', 'Silver series', 'Copper-nickel clad copper series', 'See also', 'References'], ['Nicolás Maduro: 2013–present', 'Geography', 'Climate', 'Biodiversity', 'Environment', 'Government and politics', 'Suspension of constitutional rights', 'Foreign relations', 'Military', 'Law and crime', 'Philosophical importance', 'Five-element correspondence', 'Yin-yang balance', 'Cultural importance', 'Regional variations', 'Cooking techniques', 'Typical Vietnamese family meal', 'Feast', "Women's Memorial", 'In Memory memorial plaque', 'Ritual', 'History', 'Opposition to design and compromise', 'Building the memorial', 'Timeline for those listed on the wall', "Addition of the Women's Memorial", 'Memorial plaque', 'Education center']]



['Wikipedia: Politics of Qatar', 'Wikipedia: Economy of Rwanda', 'Wikipedia: Rube Goldberg', 'Wikipedia: RPGnet', 'Wikipedia: Ragtime', 'Wikipedia: Politics of Eswatini', 'Wikipedia: Culture in Stockholm', 'Wikipedia: Saki', 'Wikipedia: SQL', 'Wikipedia: Politics of Togo', 'Wikipedia: Turing (programming language)', 'Wikipedia: Thomas McKean', 'Wikipedia: Ural Mountains']
[['Crystalline materials', 'Ceramics', 'Lead-free piezoceramics', 'III–V and II–VI semiconductors', 'Polymers', 'Other materials', 'Application', 'High voltage and power sources', 'Sensors', 'Actuators', 'Genetics', 'Y-chromosome DNA', 'Mitochondrial DNA', 'References', 'Further reading', 'Concept and etymology', 'Definition', 'Modern Western', 'Classical', 'Aspects', 'Beliefs', 'Mythology', 'History', 'Before the civil war and genocide', 'After the civil war and genocide', 'Current Economy and Economic Prospects', 'Secondary sources'], ['Personal life', 'RPGnet services', 'Forums', 'Reviews', 'Columns and articles', 'Wiki', 'History', 'Middle Ages', 'Surviving instruments', 'Iconography', 'Repertoire', 'Renaissance', 'Documentary evidence: treatises', '"Double recorder"', 'Note on "Ganassi" recorders', 'Cultural significance', 'Honours', 'See also', 'Notes', 'References', 'Sources'], ['Cervantes Institute', 'Official use by international organizations', 'See also', 'Spanish words and phrases', 'Spanish-speaking world', 'Influences on the Spanish language', 'Dialects and languages influenced by Spanish', 'Spanish dialects and varieties', 'Notes', 'References', 'Etymology', 'Origins', 'Shires in the United Kingdom', 'Shire names in England', 'Shire names in Scotland', 'Shire names in Wales', 'Non-county "shires"', 'Shires in Australia', 'Epidemiology', 'History', 'Society and culture', 'Economics', 'Driving', 'Research', 'References'], ['Death rate', 'Total fertility rate', 'Population growth rate', 'Demographics profile', 'Net migration rate', 'Dependency ratios', 'Urbanization', 'Life expectancy at birth', 'Sex ratio', 'Nationality', 'Monarchy', 'Male succession', 'Polygamy', 'Executive branch', 'Head of government', 'Attacks on satellites', 'Jamming', 'Earth observation', 'NASA', 'ESA', 'SpaceX', 'Pollution and regulation', 'Satellite services', 'See also', 'References', 'Wegmans School of Nursing', 'Scholarships', 'Athletics', 'Buffalo Bills Training Camp', 'Student life', 'Teddi Dance for Love', 'See also', 'References'], ['Further reading', 'Literature', 'Architecture', 'Rail', 'Snow roads and runways', 'Agriculture', 'Structures', 'Roofs', 'Utility lines', 'Sports and recreation', 'Warfare', 'Effects on ecosystems', 'Plant life', 'Religious themes', 'See also', 'Footnotes', 'Bibliography', 'Further reading'], ['Road', 'Housing', 'Society and culture', 'Media', 'Museums, monuments and memorials', 'Music', 'Sport', 'Festivals', 'Stadiums', 'Awards', 'Life', 'Early life', 'Writing career', 'Death', 'History', 'Syntax', 'Procedural extensions', 'Interoperability and standardization', 'Overview', 'Chemical laser', 'Neutral particle beam', 'Laser and mirror experiments', 'Hypervelocity Railgun (CHECMATE)', 'Space-based programs', 'Space-Based Interceptor (SBI)', 'Brilliant Pebbles', 'Sensor programs', 'Boost Surveillance and Tracking System (BSTS)', 'Space Surveillance and Tracking System (SSTS)', 'Summer timing', 'Weather', 'Holidays', 'School breaks', 'Public holidays', 'Activities', 'See also', 'China', 'International trade', 'Trade sanctions', 'Fair trade', 'See also', 'Notes', 'Bibliography'], ['Early written records', 'Geographical expansion and development', 'Schema', 'Members', 'Vocabulary comparison', 'Other possible relations', 'Korean', 'Rejected or controversial theories', 'Uralic', 'See also', 'Transition to democracy', 'Fight for democracy', 'Current political situation', 'Discography', 'Albums', 'The Modern Lovers', 'Jonathan Richman and The Modern Lovers', 'Singles', 'Line-Up', 'References'], ['Christianity', 'Islam', 'Judaism', 'Indian religions', 'Buddhism', 'Hinduism', 'Other religions', 'Shinto', 'Modern Paganism', 'Topics', "Lewis's life", 'Influences from mythology and cosmology', 'Planet Narnia', 'Influences from literature', 'Influences on other works', 'Influences on literature', 'Influences on popular culture', 'Christian themes', 'Criticism', 'Accusations of gender stereotyping', 'Fuel-air mixture ratio', 'Wastegate', 'Anti-surge/dump/blow off valves', 'Free floating', 'Applications', 'Petrol-powered cars', 'Diesel-powered cars', 'Motorcycles', 'Trucks', 'Aircraft', 'Overview', 'Syntax', 'Open implementations', 'Early life and family', 'Colonial career', 'American Revolution', 'Government of Delaware', 'Phagmodrupa, Rinpungpa and Tsangpa Dynasties', 'Rise of Ganden Phodrang', 'Portuguese contact:', 'Qing dynasty', 'Post-Qing period', 'From 1950 to present', 'Geography', 'Cities, towns and villages', 'Government', 'Economy', 'Production industries', 'Electricity, gas and water supply', 'Manufacturing', 'Mining, quarrying and hydrocarbons', 'Service industries', 'Exports', 'Creative industries', 'Education, health and social work', 'Financial and business services', 'Hotels and restaurants', 'Air Forces', 'List of units', 'Current air force equipment', 'Paramilitary and militarized forces', 'Military education', 'Military culture', 'Military oath', 'Holidays', 'Cultural institutions', 'Citations', 'Etymology', 'History', 'Geography and topography', 'Polar Ural', 'Corruption', 'Administrative Divisions', 'Largest cities', 'Largest metropolitan areas', 'Economy', 'Tourism', 'Shortages', 'Petroleum and other resources', 'Transport', 'Demographics', 'Royal cuisine', 'Popularity', 'Proverbs', 'Food in relation to lifestyle', 'Popular dishes', 'Noodle soups', 'Soup and cháo (congees)', 'Rice dishes', 'Sticky rice dishes', 'Bánh', 'Vietnam Veterans Memorial Collection', 'Inspired works', 'Traveling replicas', 'Fixed replicas', 'As a memorial genre', 'Cultural representations', 'Vandalism', 'See also', 'References', 'Footnotes']]



['Wikipedia: Revelation', 'Wikipedia: Sodium', 'Wikipedia: Scientist', 'Wikipedia: Svenska Akademiens ordlista', 'Wikipedia: Steampunk', 'Wikipedia: Scouting', 'Wikipedia: Symbolics', 'Wikipedia: Splay tree', 'Wikipedia: Spring', 'Wikipedia: Tambourine', 'Wikipedia: The Sound of Music', 'Wikipedia: Trumpet', 'Wikipedia: Thomas Hare (political scientist)', 'Wikipedia: Foreign relations of Uzbekistan', 'Wikipedia: Vince Foster']
[['Frequency standard', 'Piezoelectric motors', 'Reduction of vibrations and noise', 'Infertility treatment', 'Surgery', 'Potential applications', 'Photovoltaics', 'See also', 'References', 'International standards', 'Legal system', 'Alcohol', 'Piety', 'Workers', 'Executive branch', 'Ministries', 'Consultative Assembly', 'Political parties and elections', 'Practices', 'Social organisation', 'Academic study', 'Theories', 'Origins and development', 'Cultural system', 'Social constructionism', 'Cognitive science', 'Comparativism', 'Classification', 'Agriculture and Primary resources', 'Energy and electrification', 'Industry', 'Tourism and Services', 'Macro-Economic', 'See also', 'References'], ['Career', 'Cultural legacy', 'Film and television', 'Games', 'See also', 'References'], ['Gaming Index', 'Other features', 'References'], ['Baroque recorders', 'Fourth Brandenburg Concerto BWV 1049', '"Concerti per flautino" RV 443, 444, 445', 'Classical and Romantic', 'Decline', 'Other duct flutes', 'Flageolets', 'Csakan', 'Modern revival', 'The "revival"', 'History', 'Origins of ragtime', 'The heyday of ragtime', 'Revivals', 'Historical context', 'Musical form', 'Related forms and styles', 'Bibliography', 'Further reading'], ['Courses and learning resources', 'Online dictionaries', 'Articles and reports', 'Shires in the United States', 'See also', 'References', 'History', 'See also', 'References', 'Sources'], ['Ethnic groups', 'Religions', 'Languages', 'Literacy', 'School life expectancy (primary to tertiary education)', 'Unemployment, youth ages 15-24', 'Census', 'References', 'Cabinet government', 'Legislative branch', 'Election procedure', 'Political parties and participation', 'Constitution of Eswatini', 'Administrative divisions', 'Foreign relations', 'References'], [], ['History', 'Precursors', 'History', 'Origins', 'The original Scout law', 'The promise of 1907', 'Notable buildings', 'Museums', 'Theatres', 'Media', 'Sports', 'Annual events', 'See also'], ['References', 'Animal life', 'Outside of Earth', 'See also', 'References'], ['Advantages', 'Disadvantages', 'Operations', 'Splaying', 'Join', 'Split', 'Economy', 'In popular culture', 'Films', 'Literature', 'Notable people', 'Native Sowetans', 'Other residents', 'See also', 'References', 'Bibliography', 'Sexuality', 'Pen-name', 'Selected works', '"The Interlopers"', '"Gabriel-Ernest"', '"The Schartz-Metterklume Method"', '"The Toys of Peace"', '"The Storyteller"', '"The Open Window"', '"The Unrest-Cure"', 'Reasons for incompatibility', 'Standardization history', 'Current Standard', 'Anatomy of SQL Standard', 'Extensions to the ISO/IEC Standard', 'Alternatives', 'Distributed SQL processing', 'Criticisms', 'Design', 'Other criticisms', 'Brilliant Eyes', 'Other sensor experiments', 'Countermeasures', 'Response from the Soviet Union', 'Controversy and criticism', 'Treaty obligations', 'SDI and MAD', 'Non-ICBM delivery', 'Whistleblower', 'Timeline', 'References', 'Common uses', 'Places', 'History', 'Playing', 'Tambourine rolls', 'Thumb roll', 'Popular music', 'References', 'Further reading'], ['Executive branch', 'Legislative branch', 'Political parties and elections', 'Judicial branch', 'Administrative divisions', 'International organization participation', 'Notes and references'], ['Etymology', 'History', 'Construction', 'Types', 'Playing', 'History of academic discipline', 'Ministerial training', 'As an academic discipline in its own right', 'Religious studies', 'Criticism', 'Pre-20th century', '20th and 21st centuries', 'References'], ['Accusations of racism', 'Adaptations of The Chronicles of Narnia', 'Television', 'Radio', 'Stage', 'Film', 'See also', 'Notes', 'References', 'Further reading', 'Marine and land-based diesel turbochargers', 'Business and adoption', 'Safety', 'See also', 'References'], ['Open Turing', 'TPlus', 'OpenT', 'Trivia', 'Turing+', 'Object-Oriented Turing', 'See also', 'References', 'Further reading'], ['Government of Pennsylvania', 'Death and legacy', 'In popular culture', 'Almanac', 'Notes', 'References', 'Images'], ['Development zone', 'Demographics', 'Culture', 'Religion', 'Buddhism', 'Christianity', 'Islam', 'Tibetan art', 'Architecture', 'Music', 'Informal', 'Public administration and defence', 'Real estate and renting activities', 'Tourism', 'Transport, storage and communication', 'Wholesale and retail trade', 'Currency', 'Exchange rates', 'Economy by region', 'Trade', 'References', 'Further reading'], ['Nether-polar Ural', 'Northern Ural', 'Middle Ural', 'Southern Ural', 'Geology', 'Rivers and lakes', 'Climate', 'Flora', 'Fauna', 'Ecology', 'Ethnic groups', 'Languages', 'Religion', 'Culture', 'Architecture', 'Art', 'Literature', 'Music', 'Sport', 'Cuisine', 'Wraps and rolls', 'Sandwiches and pastries', 'Meat dishes', 'Seafood dishes', 'Salads', 'Curries', 'Pickled vegetable dishes', 'Mắm', 'Fermented meat dishes', 'Sausages', 'Works cited', 'Further reading'], []]



['Wikipedia: Product (mathematics)', 'Wikipedia: Economy of Qatar', 'Wikipedia: Telecommunications in Rwanda', 'Wikipedia: Robert Stickgold', 'Wikipedia: Religion and mythology', 'Wikipedia: Stockholm School of Economics', 'Wikipedia: Politics of Seychelles', 'Wikipedia: Economy of Eswatini', 'Wikipedia: Stephen R. Lawhead', 'Wikipedia: Sampo', 'Wikipedia: SDI', 'Wikipedia: Economy of Togo', 'Wikipedia: Bay City Rollers', 'Wikipedia: Take Me Out to the Ball Game', 'Wikipedia: Trackball', 'Wikipedia: Tyrosine', 'Wikipedia: Uterus', 'Wikipedia: Upwords']
[[], ['Product of two numbers', 'Product of two natural numbers', 'Human rights', 'Administrative divisions', 'Foreign relations', 'References'], ['Morphological classification', 'Demographical classification', 'Specific religions', 'Abrahamic', 'Judaism', 'Christianity', 'Islam', 'Other', 'East Asian', 'Taoism and Confucianism', 'Regulation', 'Radio and television', 'Telephones', 'Internet', 'Internet censorship and surveillance', 'References'], ['Description', 'Background', 'Types', 'Individual revelation', 'Public revelation', 'Methods', 'Verbal', 'Non-verbal propositional', 'Epistemology', 'Players', 'Manufacture', 'Use in schools', 'Recorder ensembles', 'See also', 'References', 'Bibliography'], ['American ragtime composers', 'Influence on European composers', 'See also', 'Notes', 'References', 'Further reading'], ['Characteristics', 'Physical', 'Isotopes', 'Chemistry', 'Salts and oxides', 'Aqueous solutions', 'Electrides and sodides', 'History', 'Classical antiquity', 'Middle Ages', 'Renaissance', 'Age of Enlightenment', '19th century', '20th century', 'Profession', 'Education', 'Career', 'History', 'Academics', 'Admission', 'Political history', 'Pre-independence political movements', 'Independence', 'One-party socialism', 'Return to multiparty system', 'Agriculture', 'Economic growth', 'Trade partners', 'Infrastructure', 'Origin of the term', 'Modern steampunk', 'Japanese steampunk', 'Relationships to retrofuturism, DIY craft and making', 'Art, entertainment, and media', 'Art and design', 'Fashion', 'Literature', 'Steampunk settings', 'Alternative world', 'Movement', 'Influences', 'Movement characteristics', 'Scout method', 'Activities', 'Uniforms and distinctive insignia', 'Age groups and sections', 'Adults and leadership', 'Around the world', 'Co-educational', 'Biography', 'Works', 'Adult fiction', "Children's fiction", 'History', 'The 3600 series', 'Ivory and Open Genera', 'Sunstone', 'Endgame', 'First .com domain', 'Networking', 'Application programs', 'Insertion', 'Deletion', 'Implementation and variants', 'Analysis', 'Zig step', 'Zig-zig step', 'Zig-zag step', 'Weighted analysis', 'Performance theorems', 'Dynamic optimality conjecture'], ['In the Kalevala', 'Interpretation', '"Esmé"', '"Sredni Vashtar"', '"Tobermory"', '"The Bull"', '"The East Wing"', 'Publications', 'Radio', 'Television', 'Theatre', 'References', 'Orthogonality and completeness', 'Null', 'Duplicates', 'Impedance mismatch', 'Data Integrity Categories', 'Entity integrity', 'Domain integrity', 'Referential integrity', 'User-defined integrity', 'SQL data types', 'References', 'Works cited', 'Further reading'], ['United States', 'People', 'Groups', 'People with the given name', 'Arts, entertainment and media', 'Paintings', 'Film and television', 'Literature', 'Music', 'Albums and EPs', 'Europe', 'African American influence', 'In classical music', 'Similar instruments', 'Buben', 'Daf', 'Pandeiro', 'Panderoa', 'Riq', 'Dayereh', 'History', 'Synopsis', 'Act I', 'Act II', 'Musical numbers', 'Characters', 'Productions', 'Original productions', '1981 London revival', '1998 Broadway revival', 'Agriculture', 'Industry', 'Mining', 'Other', 'IMF relationship', 'Mute', 'Range', 'Extended technique', 'Instruction and method books', 'Players', 'Musical pieces', 'Solos', 'In art', 'See also', 'References', 'History', 'Early days and formation: 1966–1973', 'Breakthrough: 1974–1975', 'World impact: 1976'], ['History', 'Lyrics', 'Life', 'Family', 'Views', 'Systems', 'Law reports', 'Works', 'References', 'History', 'Special applications', 'Ergonomics', 'Functions', 'Dietary requirements and sources', 'Biosynthesis', 'Metabolism', 'Phosphorylation and sulfation', 'Festivals', 'Cuisine', 'See also', 'Notes', 'References', 'Further reading'], ['Investment', 'Mergers and acquisitions', 'European Union membership', 'Poverty', 'Data', 'Notes', 'References'], ['Turunen visit to Uzbekistan', 'Legal agreements with the Gulf states', 'Relations by country', 'See also', 'References'], ['Cultural significance', 'See also', 'References'], ['Education', 'Health', 'See also', 'Notes', 'References', 'Bibliography'], ['Vegetarian dishes', 'Desserts', 'Mứt', 'Tofu', 'Condiments and sauces', 'Condiments', 'Pairing', 'Sauces', 'Food colourings', 'Herbs and spices', 'Early life', 'Career', 'White House Counsel', 'Death', 'Subsequent investigations', 'Legacy', 'References'], []]



['Wikipedia: Transport in Rwanda', 'Wikipedia: Received Pronunciation', 'Wikipedia: Rashi', 'Wikipedia: Telecommunications in Eswatini', 'Wikipedia: September 14', 'Wikipedia: Surfing', 'Wikipedia: Spirituality', 'Wikipedia: Sysop', 'Wikipedia: Static program analysis', 'Wikipedia: Telecommunications in Togo', 'Wikipedia: Tricky (musician)', 'Wikipedia: Tai chi', 'Wikipedia: Time zone', 'Wikipedia: Tape drive', 'Wikipedia: Flash (comics)', 'Wikipedia: Telecommunications in the United Kingdom', 'Wikipedia: University for Peace', 'Wikipedia: Voltaire', 'Wikipedia: VBScript']
[['Product of two integers', 'Product of two fractions', 'Product of two real numbers', 'Product of two complex numbers', 'Geometric meaning of complex multiplication', 'Product of two quaternions', 'Product of sequences', 'Commutative rings', 'Residue classes of integers', 'Convolution', 'Energy sector', 'Industry', 'Financial sector', 'Islamic finance', 'Capital market', 'Tourism', 'Transport', 'Macro-economic trend', 'Folk religion', 'Indian religions', 'Hinduism', 'Jainism', 'Buddhism', 'Sikhism', 'Indigenous and folk', 'Traditional African', 'Iranian', 'New religious movements', 'See also', 'References'], ['Introduction', 'Theology and myth', 'Religion', 'Mythology', 'Similarities between different religious mythologies', 'Contrasts between different religious mythologies', 'Academic views', 'In various religions', "Bahá'í", 'Christianity', 'Latter-day Saint movement', 'Hinduism', 'Islam', 'Judaism', 'Prophets', 'Sikhism', 'Recent revelations', 'History', 'Alternative names', 'Sub-varieties', 'Characteristics and status', 'Use', 'Name', 'Biography', 'Birth and early life', 'Legends', 'Yeshiva studies', 'Rosh yeshiva', 'Organosodium compounds', 'Intermetallic compounds', 'History', 'Occurrence', 'Astronomical observations', 'Commercial production', 'Uses', 'Heat transfer', 'Biological role', 'Biological role in humans', 'Research interests', 'By specialization', 'Natural science', 'Physical science', 'Life science', 'Social science', 'Formal science', 'Applied', 'Interdisciplinary', 'By employer', 'Programs', 'SSE Master of Science in Business and Management', 'SSE Master of Science in International Business', 'SSE Master of Science in Economics', 'SSE Master of Science in Accounting, Valuation, and Financial Management', 'SSE Masters of Business Administration (MBA), Executive Format', 'SSE PhD in Business Administration, Economics, Finance', 'Alumni', 'Noted alumni', 'Partner Universities', 'The twenty-first century', 'Executive branch', 'Legislative branch', 'Political parties and elections', 'Presidential elections', 'Parliamentary elections', 'Administrative divisions', 'International organization participation', 'References', 'Sugar industry', 'Mining', 'Other economic statistics', 'See also', 'References'], ['American West', 'Fantasy and horror', 'Post-apocalyptic', 'Victorian', 'Asian (silkpunk)', 'Music', 'Television and films', 'Video games', 'Toys', 'Culture and community', 'Membership', 'Nonaligned and Scout-like organizations', 'Influence on society', 'Controversies', 'In film and the arts', 'See also', 'References', 'Further reading'], ['Non-fiction', 'Books contributed to', 'References'], ['Contributions to computer science', 'Symbolics Graphics Division', 'Movies', 'References', 'Further reading'], ['Variants', 'See also', 'Notes', 'References'], ['Similar devices', 'Influences', 'See also', 'References'], ['Literary criticism and biography'], ['Rationale', 'Predefined data types', 'Constructed types', 'See also', 'Notes', 'References', 'Sources', 'SQL standards documents', 'ITTF publicly available standards and technical reports', 'Draft documents'], ['Arts and entertainment', 'Companies and organizations', 'In science and technology', 'Computing and telecommunications', 'Medicine', 'Other uses in science and technology', 'Other uses', 'Songs', 'Classical works', 'Other media', 'Brands and organizations', 'Science and technology', 'Computing', 'Other uses', 'See also', 'Kanjira', 'Tar', 'Timbrel', 'Rabana', 'Rebana', 'See also', 'References'], ['2006 London revival', 'Other notable productions', 'Film adaptation', 'Television adaptations', 'Reception', 'Cast recordings', 'Awards and nominations', 'Original Broadway production', '1998 Broadway Revival', 'Notes', 'Open Market', 'Statistics', 'See also', 'References'], ['Notes', 'Bibliography'], ['1977–1979', 'New singer, new name', '1980s–2000s', 'Financial disputes', 'Discography', 'References', 'Further reading', 'External Links', 'Recordings', 'In popular culture', 'Recognition and awards', 'References'], [], ['See also', 'History', 'Mobile devices', 'On mice', 'See also', 'References', 'Notes', 'Precursor to neurotransmitters and hormones', 'Precursor to alkaloids', 'Precursor to natural phenols', 'Precursor to pigments', 'Role in coenzyme Q10 synthesis', 'Degradation', 'Ortho- and meta-tyrosine', 'Medical use', 'Industrial synthesis', 'See also', 'Publication history', 'Golden Age', 'Silver Age', 'Modern Age', 'Fictional character biographies', 'Jay Garrick', 'History', 'Infrastructure', 'Domestic trunk infrastructure', 'International trunks', 'Broadcast transmission', 'Structure', 'Layers', 'Support', 'Major ligaments', 'Axis', 'Position', 'Blood supply', 'Gameplay', 'Scoring', 'History', 'Other versions', 'References', 'Biography', 'Name', 'Early fiction', 'Great Britain', 'Château de Cirey', 'Prussia', 'Beverages', 'Exotic dishes', 'Common ingredients', 'Vegetables', 'Fruits', 'Herbs (rau thơm)', 'Vietnamese utensils', 'Historical influences', 'See also', 'References', 'History', 'Environments', 'Functionality', 'Language features', 'VBScript functionalities']]



['Wikipedia: Telecommunications in Qatar', 'Wikipedia: Rotterdam', 'Wikipedia: Stockholm University', 'Wikipedia: Economy of Seychelles', 'Wikipedia: Spreadsheet', 'Wikipedia: Sociobiology', 'Wikipedia: Skuld (Oh My Goddess!)', 'Wikipedia: Strait of Hormuz', 'Wikipedia: Solomon Northup', 'Wikipedia: Shrike', 'Wikipedia: Tennis', 'Wikipedia: Trip hop', 'Wikipedia: Trinity', 'Wikipedia: Thabo Mbeki', 'Wikipedia: Vaticanus', 'Wikipedia: Vintage dance']
[['Polynomial rings', 'Products in linear algebra', 'Scalar multiplication', 'Scalar product', 'Cross product in 3-dimensional space', 'Composition of linear mappings', 'Product of two matrices', 'Composition of linear functions as matrix product', 'Tensor product of vector spaces', 'The class of all objects with a tensor product', 'See also', 'References'], ['Related aspects', 'Law', 'Science', 'Morality', 'Politics', 'Impact', 'Secularism', 'Economics', 'Health', 'Violence', 'The road network', 'Paved roads', 'Public transport', 'International', 'National', 'Share Taxis', 'Express Bus', 'Comparison', 'Urban', 'Air transport', 'Religious views', 'Opposition to categorizing all sacred stories as myths', 'Modern-day opposition', 'The roots of the popular meaning of "myth"', 'Non-opposition to categorizing sacred stories as myths', 'Christianity', 'Judaism', 'Neopaganism', 'Miscellaneous', 'See also', 'See also', 'References'], ['Media', 'Dictionaries', 'Language teaching', 'Phonology', 'Consonants', 'Vowels', '"Long" and "short" vowels', 'Diphthongs and triphthongs', 'BATH vowel', 'French words', 'Death and burial site', 'Descendants', 'Works', 'Commentary on the Tanakh', 'Commentary on the Talmud', 'Responsa', 'Influence in non-Jewish circles', 'Criticism of Rashi', 'Legacy', 'Supercommentaries', 'Nutrition', 'Diet', 'Dietary recommendations', 'Health', 'Biological role in plants', 'Safety and precautions', 'See also', 'References', 'Bibliography'], ['Demography', 'By country', 'United States', 'By gender', 'See also', 'References', 'External articles', 'See also', 'References'], ['Economic history', 'Advent of the tourist industry (1971)', 'Current economy', 'Tourism and fishing', 'Ownership and regulation', 'Radio and television', 'Telephones', 'Internet', 'Internet censorship and surveillance', 'See also', 'References', 'Social events', 'The Steampunk Physics Surge of 2020', 'See also', 'References', 'Further reading'], ['Definition', 'History', 'Theory', 'Support for premise', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['Origins and history', 'Surf waves', 'Wave intensity', 'Artificial reefs', 'Artificial waves', 'Surfers and surf culture', 'Maneuvers', 'Etymology', 'Definition', 'Development of the meaning of spirituality', 'Classical, medieval and early modern periods', 'Modern spirituality', 'Transcendentalism and Unitarian Universalism', 'Theosophy, anthroposophy, and the perennial philosophy', 'Neo-Vedanta', 'See also', 'References', 'Tool types', 'Formal methods', 'Data-driven static analysis', 'See also', 'References', 'Further reading'], ['Etymology', 'Navigation', 'Oil trade flow', 'Early life', 'Family history', 'Marriage and family', 'Work', 'Kidnapped and sold into slavery', 'Distribution, migration, and habitat', 'Description', 'Behaviour', 'Breeding', 'Species in taxonomic order', 'History', 'Predecessors', 'Origins of the modern game', 'Equipment', 'Rackets', 'References', 'Further reading'], ['Radio and television', 'Telephone', 'Internet', 'Internet censorship and surveillance', 'See also', 'References'], ['Early life', 'Career', '1987–94: The Wild Bunch, Massive Attack', '1995–2001: Solo breakthrough', '2002–09: Mixed Race and other work', '2012–present: False Idols, Ununiform', 'Idiosyncrasies and media issues', 'Side projects and film career', 'Personal life', 'Discography', 'Biblical background', 'Jesus in the New Testament', 'Jesus in later Christian theology', 'Holy Spirit in the New Testament', 'Holy Spirit in later Christian theology', 'Overview', 'Name', 'Historical origin', 'History and styles', 'Tai chi in the United States of America', 'Tai chi in the United Kingdom', 'T‘ai-chi ch‘üan lineage tree', 'Modern forms', 'Railway time', 'Worldwide time zones', 'Notation of time', 'ISO 8601', 'UTC', 'Offsets from UTC', 'Abbreviations', 'UTC offsets worldwide', 'List of UTC offsets', 'Conversions', 'Design', 'Data compression', 'Technical limitations', 'Media', 'History', 'Capacity', 'Notes', 'References', 'References'], ['Early life and education', 'Barry Allen', 'Wally West', 'Bart Allen', 'Others to carry the mantle of the Flash', 'Jesse Chambers', 'John Fox', 'Unnamed Allen of the 23rd century', 'Sela Allen', 'Blaine Allen', 'Jace Allen', 'Fixed phone lines', 'Mobile phone networks', 'First generation networks', 'First and second generation networks', 'Third generation networks', 'Fourth generation networks', 'Services', 'Telephones', 'Fixed telephones', 'Mobile telephones', 'Nerve supply', 'Development', 'Function', 'Clinical significance', 'Other animals', 'Additional images', 'See also', 'References'], ['History', 'Relationship with United Nations', 'Accreditation', 'Headquarters and main campus', 'Around the world', 'Academics', 'Regular programmes', 'Geneva and Ferney', 'Death and burial', 'Writings', 'History', 'Poetry', 'Prose', 'Letters', 'Religious views', 'Christianity', 'Judaism', 'Further reading', 'See also', 'Additional functionality', 'Development tools', 'Uses', 'See also', 'References'], []]



['Wikipedia: Transport in Qatar', 'Wikipedia: Foreign relations of Rwanda', 'Wikipedia: Red', 'Wikipedia: Redmond, Washington', 'Wikipedia: Suriname', 'Wikipedia: Smog', 'Wikipedia: Transport in Eswatini', 'Wikipedia: ♯P', 'Wikipedia: September 6', 'Wikipedia: Samuel Mudd', 'Wikipedia: Screwdriver (cocktail)', 'Wikipedia: Transport in Togo', 'Wikipedia: Tesseract', 'Wikipedia: Unicon', 'Wikipedia: Voltage']
[['Other products in linear algebra', 'Cartesian product', 'Empty product', 'Products over other algebraic structures', 'Products in category theory', 'Other products', 'See also', 'Notes', 'References'], ['Internet', 'See also', 'References', 'Animal sacrifice', 'Superstition', 'Agnosticism and atheism', 'Interfaith cooperation', 'Culture', 'Criticism', 'See also', 'Notes', 'References', 'Sources', 'Water transport', 'Lake Kivu', 'Other lakes', 'Railways', 'See also', 'References', 'References', 'Citations', 'Sources', 'Further reading'], ['History', 'Geography', 'Climate', 'Demographics', 'Composition', 'Ethnic makeup', 'Religion', 'Economy', 'Ports', 'Shopping', 'Alternative notation', 'Historical variation', 'Vowels and diphthongs', 'Word-specific changes', 'Comparison with other varieties of English', 'Spoken specimen', 'Notable speakers', 'See also', 'Notes and references', 'Bibliography', 'References', 'Sources', 'Further reading'], ['Etymology', 'History', 'Colonial period', 'Etymology', 'Causes', 'Coal', 'Transportation emissions', 'Photochemical smog', 'Formation and reactions', 'History', 'Organisation', 'Intra-university bodies', 'Departments, institutes and centers', 'Courses and programmes', 'Research', 'Field stations', 'Student unions', 'Rankings', 'Campus', 'Manufacturing', 'Public sector', 'Vulnerability to external shocks', 'Economic growth', 'Financial Services', 'Offshore oil and gas', 'Economic statistics==', 'See also', 'References'], [], ['Roadways', 'Railways', 'Usage', 'History', 'Paper spreadsheets', 'Early implementations', 'Batch spreadsheet report generator', 'LANPAR spreadsheet compiler', 'Autoplan/Autotab spreadsheet programming language', 'Reception', 'See also', 'Notes', 'References', 'Bibliography'], ['Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['Terms', 'Learning', 'Equipment', 'The physics of surfing', 'Wave formation', 'Wave conditions for surfing', 'Surf breaks', 'Headland (point break)', 'Beach break', 'River or estuary entrance bar', '"Spiritual but not religious"', 'Traditional spirituality', 'Abrahamic faiths', 'Judaism', 'Christianity', 'Islam', 'Five pillars', 'Sufism', 'Jihad', 'Asian traditions', 'Creation and conception', 'Norse origins', 'Biography', 'Debugging mallet', 'Personality', 'References'], ['Early years', 'Booth connection', 'Trial', 'Imprisonment', 'Later life', 'Death', 'Events', 'Tanker War', 'Operation Praying Mantis', 'Downing of Iran Air 655', 'Collision between USS Newport News and tanker Mogamigawa', 'Tensions in 2008', '2008 U.S.–Iranian naval dispute', 'Iranian defence policy', 'Naval activity in 2008', 'Collision between USS Hartford and USS New Orleans', 'Restoration of freedom', 'Court cases and memoir', 'Last years', 'Historiography', 'Influence among scholars', 'Legacy and honors', 'Representation in media', 'See also', 'Notes', 'References', 'Birds with similar names', 'In fiction', 'References', 'Further reading'], ['Balls', 'Miscellaneous', 'Manner of play', 'Court', 'Lines', 'Play of a single point', 'Scoring', 'Game, set, match', 'Game', 'Set', 'Characteristics', 'History', '1990s', 'Mainstream breakthrough', '"Post-trip hop"', '2000s', '2010s', 'See also', 'References'], ['Railways', 'Roadways', 'Waterways', 'Ports and harbours', 'Studio albums', 'Singles and EPs', '1993–2000', '2001–present', 'See also', 'References', 'Bibliography'], ['Old Testament parallels', 'History', 'Before the Council of Nicaea', 'First seven ecumenical councils', 'First Council of Nicaea (325)', 'First Council of Constantinople (381)', 'Council of Ephesus (431)', 'Council of Chalcedon (451)', 'Second Council of Constantinople (553)', 'Third Council of Constantinople (680-681)', 'Tai chi today', 'Tai chi as sport', 'Philosophy', 'Role of qi', 'Training and techniques', 'Solo (taolu, neigong and qigong)', 'Qigong versus tai chi', 'Partnered (tuishou and sanshou)', 'Weapons', 'Health', 'Nautical type', 'Daylight saving time', 'Computer systems and the Internet', 'Operating systems', 'Unix', 'Microsoft Windows', 'Programming languages', 'Java', 'JavaScript', 'Perl', 'Geometry', 'Projections to two dimensions', 'Parallel projections to 3 dimensions', 'Marriage and family', 'Exile and return', 'Going into exile', 'Moscow', 'Lusaka and Botswana', 'Swaziland and Nigeria', 'Zimbabwe', 'Role in African politics', 'Economic policies', 'Mbeki and the Internet', 'Kryiad', 'Bizarro Flash', 'Powers and abilities', 'Different Flashes', 'Tanaka Rei', 'Lia Nelson', 'Superman & Batman: Generations 2', 'Green Lightning', 'Ame-Comi', 'The Crash', 'Numbering', 'Television and radio broadcasting', 'Radio', 'Television', 'Internet', 'Overseas territories and Crown dependencies', 'See also', 'Sources', 'Further reading'], ['All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Special programmes', 'Study abroad programmes', 'Distance education courses', 'Doctoral programme', 'Students and alumni', 'Research', 'Outreach', 'See also', 'References'], ['Islam', 'Drama Mahomet', 'Hinduism', 'Confucianism', 'Views on race and slavery', 'Appreciation and influence', 'Voltaire and Rousseau', 'Legacy', 'Chronology', 'Works', 'Definition', 'Definition as potential of electric field', 'Definition via decomposition of electric field', 'Treatment in circuit theory', 'Societies', 'Connecticut', 'Massachusetts', 'California', 'Colorado', 'New Jersey', 'North Carolina']]



['Wikipedia: 4-polytope', 'Wikipedia: Reed College', 'Wikipedia: Rockall', 'Wikipedia: Ryan Lackey', 'Wikipedia: Telecommunications in Seychelles', 'Wikipedia: Umbutfo Eswatini Defence Force', 'Wikipedia: September 7', 'Wikipedia: Steve Jackson', 'Wikipedia: Springbok', 'Wikipedia: Secure Shell', 'Wikipedia: Space elevator', 'Wikipedia: Single-stage-to-orbit', 'Wikipedia: Tycho Brahe', 'Wikipedia: Togolese Armed Forces', 'Wikipedia: Thelema', 'Wikipedia: Transport in the United Kingdom', 'Wikipedia: Under Suspicion', 'Wikipedia: Urinary tract infection', 'Wikipedia: Condorcet paradox']
[['Definition', 'Visualisation', 'Topological characteristics', 'Public transport', 'Railways', 'Standards', 'Highways', 'Pipelines', 'Ports and harbours', 'Persian Gulf', 'Merchant marine', 'Airports', 'See also', 'Primary', 'Secondary', 'Further reading'], ['Bilateral relations', 'See also', 'References', 'Shades and variations', 'In science and nature', 'Seeing red', 'In color theory and on a computer screen', 'Color of sunset', 'Lasers', 'Astronomy', 'Pigments and dyes', 'Education', 'Culture', 'Museums', 'Architecture', 'Sports', 'Football', 'Marathon', 'Tennis', 'Tour de France', 'Rowing'], ['See also', 'Footnotes', 'History', 'Geography', 'Climate', 'Demographics', '2010 census', '2000 census', 'Economy', 'Top employers', 'Culture', 'Abolition of slavery', 'Decolonization', 'Independence', '1980 military coup', '1987 elections and constitution', '21st century', 'Politics', 'Foreign relations', 'Military', 'Administrative divisions', 'Natural causes', 'Volcanoes', 'Plants', '""', 'Health effects', 'Levels of unhealthy exposure', 'Premature deaths due to cancer and respiratory disease', 'Alzheimer risk', 'Risk of certain birth defects', 'Low birth weight', 'Public transportation to Stockholm University', 'Notable people', 'Academics', 'Alumni', 'See also', 'References'], ['Television and radio', 'Internet and telecommunications', 'References', 'Ports', 'Airports', 'Other airports - with unpaved runways', 'See also', 'References', 'IBM Financial Planning and Control System', 'APLDOT modeling language', 'VisiCalc', 'SuperCalc', 'Lotus 1-2-3 and other MS-DOS spreadsheets', 'Microsoft Excel', 'Web based spreadsheets', 'Mainframe spreadsheets', 'Other spreadsheets', 'Other products', 'Relation to decision problems', 'How hard is that?', 'Formal definitions', 'History', 'See also', 'References'], ['Events', 'Births', 'Deaths', 'Reef break', 'Ledge break', 'Jetties and their impacts on wave formation in the surf zone', 'Type 1 jetty', 'Type 2 jetty', 'Type 3 jetty', 'Type 4 jetty', 'Rip currents', 'On the surfboard', 'Notable locations', 'Buddhism', 'Hinduism', 'Four paths', 'Schools and spirituality', 'Sikhism', 'African spirituality', 'Contemporary spirituality', 'Characteristics', 'Spiritual experience', 'Spiritual practices', 'See also', 'Rehabilitation attempts', 'Portrayals', 'See also', 'References'], ['U.S.–Iran tensions in 2011–2012', '2015 seizure of MV Maersk Tigris', '2018 threats of strait closure', '2019 threats of strait closure', '2019 U.S.–Iran tensions and attacks on oil tankers', '2020 Iranian military activity', 'The Iranian threats of Strait closure', 'Ability of Iran to hinder shipping', "Iran's Anti-Access/Area-Denial capabilities", 'Alternative shipping routes', 'Further reading'], ['History', 'History', 'Variations', 'References'], ['Match', 'Special point terms', 'Game point', 'Break point', 'Rule variations', 'Officials', 'Junior tennis', 'Match play', 'Continuity', 'Ball changes', 'Life', 'Early years', "Tycho's nose", 'Merchant marine', 'Airports', 'Airports - with paved runways', 'Airports - with unpaved runways', 'See also', 'References', 'Historical precedents', 'Definition of "Thelema"', 'In Classical Greek', 'In the Old Testament', 'In the New Testament', 'Second Council of Nicaea (787)', 'Middle Ages', 'Theology', 'Trinitarian baptismal formula', 'One God in Three Persons', 'Perichoresis', 'Economic and immanent Trinity', 'Trinity and love', 'Trinity and will', 'Political aspect', 'Seated tai chi', 'Legends and anecdotes', 'Attire and ranking', 'Tai Chi as a generic brand', 'In popular culture', 'See also', 'References', 'Further reading', 'Books', 'Magazines', 'PHP', 'Python', 'Smalltalk', 'Time zones in outer space', 'See also', 'Notes', 'Further reading', 'References'], ['As a configuration', 'Image gallery', 'Alternative projections', '2D orthographic projections', 'Radial equilateral symmetry', 'Tessellation', 'Related complex polygon', 'Related polytopes and honeycombs', 'In popular culture', 'See also', 'Global apartheid', 'Controversies', '2002 Presidential elections', '2005 Parliamentary Elections', 'Dialogue between Zanu-PF and MDC', 'Business response', 'Position on Mugabe', 'SADC facilitator of Zimbabwe power-sharing agreement', 'AIDS', 'Mbeki and the Cabinet', 'Danica Williams', 'Writers', 'Awards', 'In other media', 'In popular culture', 'Rogues', 'References'], ['Transport trends', 'Air transport', 'Rail transport', 'Short description is different from Wikidata', 'All article disambiguation pages', 'All disambiguation pages', 'Signs and symptoms', 'Children', 'Elderly', 'Non-fiction', 'Novellas', 'Plays', 'Collected works', 'See also', 'References', 'Informational notes', 'Citations', 'Sources', 'Further reading', 'Volt', 'Hydraulic analogy', 'Applications', 'Addition of voltages', 'Measuring instruments', 'Typical voltages', 'Galvani potential vs. electrochemical potential', 'History', 'See also', 'References', 'Ohio', 'References'], []]



['Wikipedia: Qatar Armed Forces', 'Wikipedia: Revised Julian calendar', 'Wikipedia: Scotland Yard', 'Wikipedia: Transport in Seychelles', 'Wikipedia: ♯P-complete', 'Wikipedia: Servius Tullius', 'Wikipedia: Space telescope', 'Wikipedia: Lisa Beamer', 'Wikipedia: Truro', 'Wikipedia: Richard Hell and the Voidoids', 'Wikipedia: Hellfire Club', 'Wikipedia: Ubiquitous computing', 'Wikipedia: Geography of Vietnam', 'Wikipedia: Vincent Alsop']
[['Classification', 'Criteria', 'Classes', 'See also', 'References', 'Notes', 'Bibliography'], ['References'], ['History', 'History', 'Distinguishing features', 'Academics', 'Divisions', 'Humanities program', 'Interdisciplinary and dual-degree programs', 'Admissions', 'Tuition and finances', 'Rankings', 'Etymology', 'History', 'Geography', 'Geology', 'Ecology', 'Discovery of new species', 'Visits to Rockall', 'Red lac, red lake and crimson lake', 'Food coloring', 'Autumn leaves', 'Blood and other reds in nature', 'Hair color', 'In animal and human behavior', 'History and art', 'Symbolism', 'Courage and sacrifice', 'Hatred, anger, aggression, passion, heat and war', 'Field hockey', 'Baseball', 'Boxing', 'Swimming', 'Sailing', 'Motor cycle racing', 'Sportsmen of the year election', 'Other famous Rotterdam athletes', 'Yearly events', 'Transportation'], ['Implementation', 'Arithmetic', 'Landmarks', 'Parks and recreation', 'Government', 'Education', 'References', 'Further reading'], ['Geography', 'Borders', 'Climate', 'Climate change', 'Nature reserves', 'Economy', 'Demographics', 'Emigration', 'Religion', 'Languages', 'Areas affected', 'Canada', 'Delhi, India', 'Beijing, China', 'United Kingdom', 'London', 'Other areas', 'Mexico City, Mexico', 'Santiago, Chile', 'Tehran, Iran', 'History', '10 Broadway', 'Current location', 'Museums', 'See also', 'Notes', 'References', 'History', 'Equipment', 'Armoured Personnel Carriers', 'Weapons', 'Branches', 'Air Force', 'Retired inventory', 'Army', 'Concepts', 'Cells', 'Values', 'Automatic recalculation', 'Real-time update', 'Locked cell', 'Data format', 'Cell formatting', 'Named cells', 'Cell reference', 'Examples', 'Easy problems with hard counting versions', 'Approximation', 'Holidays and observances', 'References'], ['Dangers', 'Drowning', 'Collisions', 'Marine life', 'Seabed', 'Microorganisms', 'Ear damage', 'Eye damage', 'Spinal cord', 'Gallery', 'Science', 'Relation to science', 'Holism', 'Scientific research', 'Health and well-being', 'Intercessionary prayer', 'Spiritual care in health care professions', 'Spiritual experiences', 'Measurement', 'See also', 'Etymology', 'Taxonomy and evolution', 'Description', 'Ecology and behaviour', 'Parasites', 'Diet', 'Reproduction', 'Definition', 'Authentication: OpenSSH key management', 'Usage', 'History and development', 'Version 1.x', 'Version 2.x', 'Version 1.99', 'OpenSSH and OSSH', 'See also', 'Notes', 'References', 'Further reading'], ['Early concepts', '20th century', '21st century', 'In fiction', 'Physics', 'Apparent gravitational field', 'Cable section', 'Cable materials', 'Structure', 'Base station', 'History', 'Early concepts', 'DC-X technology', 'Roton', 'Approaches', 'Dense versus hydrogen fuels', 'One engine for all altitudes', 'On-court coaching', 'Stance', 'Open stance', 'Semi-open stance', 'Closed stance', 'Neutral stance', 'Shots', 'Grip', 'Serve', 'Forehand', 'Science and life on Uraniborg', 'Marriage to Kirsten Jørgensdatter', 'The 1572 supernova', 'Lord of Hven', 'Publications, correspondence and scientific disputes', 'Exile and later years', 'Relationship with Kepler', 'Illness, death, and investigations', 'Career: observing the heavens', 'Observational astronomy', 'Army', 'Equipment', 'Armor', 'Air Force', 'Aircraft', 'Current inventory', 'Navy', 'François Rabelais', 'Francis Dashwood and the Hellfire Club', 'Beliefs', 'Defining the Thelemite', 'Aleister Crowley', 'The Book of the Law', 'True Will', 'Cosmology', 'God, deity, and the divine', 'Magick and ritual', 'Criticism', 'Nontrinitarian Christian beliefs', 'Islam', 'Judaism', 'Artistic depictions', 'Image gallery', 'See also', 'Extended notes', 'Endnotes and references', 'Other references', 'Post-9/11 career', 'References', 'Toponymy', 'History', 'Geography', 'Climate', 'Notes', 'References'], ['AIDS denialist connections', 'Electricity crisis', 'Crime', '2008 Xenophobia attacks', 'Role in procuring the 2010 World Cup', 'Debate with Archbishop Tutu', 'Mbeki, Zuma, and succession', 'Appeal', 'Resignation', '2009 general election', "Duke of Wharton's club", "Sir Francis Dashwood's clubs", 'Meetings and club activities', "Decline of Dashwood's Club", 'Hellfire Clubs in contemporary life', 'Great Britain', 'Northern Ireland', 'International rail services', 'Rapid transit', 'Urban rail', 'Trams and light rail', 'Road transport', 'Segregated bicycle paths', 'Cycle lanes', 'Road passenger transport', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'Cause', 'Intercourse', 'Sex', 'Urinary catheters', 'Others', 'Pathogenesis', 'Diagnosis', 'Classification', 'Differential diagnosis', 'Prevention'], ['Physiography', 'Terrain', 'Footnotes'], ['Life', 'Example', 'Cardinal ratings', 'Necessary condition for the paradox', 'Likelihood of the paradox', 'Impartial culture model', 'Group coherence models', 'Empirical studies', 'Implications', 'Two-Stage Voting Processes', 'See also']]



['Wikipedia: Roman numerals', 'Wikipedia: Retention', 'Wikipedia: Ringworld', 'Wikipedia: Reform of the date of Easter', 'Wikipedia: Smoke', 'Wikipedia: Foreign relations of Eswatini', 'Wikipedia: List of The Sandman characters', 'Wikipedia: Generalissimo Francisco Franco is still dead', 'Wikipedia: Saint David', 'Wikipedia: Spawn (comics)', 'Wikipedia: Structural biology', 'Wikipedia: The A-Team', 'Wikipedia: Tokelau', 'Wikipedia: TSR', 'Wikipedia: The Bangles', 'Wikipedia: Trinidad (disambiguation)', 'Wikipedia: The Straight Story', 'Wikipedia: Thomas Hunt Morgan', 'Wikipedia: British Armed Forces', 'Wikipedia: United States Declaration of Independence', 'Wikipedia: USS Greeneville', 'Wikipedia: Demographics of Vietnam']
[['Hierarchical evolution', 'Common misconceptions', 'Saltationism', 'Quantum evolution', 'Multiple meanings of gradualism', 'Criticism', "Darwin's theory", 'Supplemental modes of rapid evolution', 'Language change', 'Mythology', 'Air Force equipment', 'Historical Aircraft', 'Missiles', 'Other equipment', 'Future aircraft', 'See also', 'References', 'Griffin', 'School color', 'School song', "Students' nicknames", 'Unofficial mottos and folklore', 'Paideia', 'Renn Fayre', 'Reed Arts Week', 'Student organizations', 'Crime', 'Description', 'Standard form', 'Variant forms', 'Use of additive notation', 'Idioms', 'See also', 'References', 'Notes and citations', 'Bibliography'], ['Notes'], ['Plot summary', 'Fixed days to weekday number', 'Notes', 'References'], ['Developers of Incredible Power', 'Cut elements', 'Release', 'Game releases', 'Expansion packs', 'Source code', 'Reception', 'Remake', 'References'], ['Environmental preservation', 'Media', 'Tourism', 'Landmarks', 'See also', 'Notes', 'References', 'Further reading'], ['Further reading'], ['Chemical composition', 'Family and early life', 'Life with Watson', 'Practice', 'The Great Hiatus', 'Retirement', 'Personality and habits', 'Drug use', 'Finances', 'Attitudes towards women', 'Irene Adler', 'Other components', 'National Brass Band', 'Educational institutions', 'Seychelles Defence Academy (SDA)', 'Military Training Centre (MTC)', 'Defence Forces Day', 'References'], ['Bilateral relations', 'Swazi embassies, high commissions and consulates abroad', 'Foreign embassies and consulates in Eswatini', 'Eswatini and the Commonwealth of Nations', 'See also', 'References', 'End-user development', 'Spreadsheet programs', 'Shortcomings', 'Spreadsheet risk', 'See also', 'Notes', 'References'], ['Views from modern scholars', 'Legends', 'Death and veneration', "St Piran's Day", 'See also', 'Notes', 'References', 'Sources', 'Further reading'], ['Economy', 'Religion', 'Assassination', 'Historical appraisals', 'Birth', 'Etruscan Servius', 'Legacy', 'See also', 'References', 'Bibliography', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['The Endless', 'Dreams and nightmares', 'Cain and Abel', 'Corinthian', 'Eve', "Fiddler's Green", 'Structure', 'Summary', 'Composition', 'Canonisation and interpretation', 'Judaism', 'Christianity', 'Musical settings', 'In popular culture', 'References', 'Further reading'], ['Hagiography', 'Connections to Glastonbury', 'Death', 'International Space Elevator Consortium (ISEC)', 'Related concepts', 'Notes', 'References', 'Further reading'], ['Further reading', 'References'], ['Premier events', 'International events', 'Players', 'Professional players', 'Singles and doubles professional careers', 'Olympics', 'Prize money', 'Grand Slam tournament winners', 'Greatest male players', 'Greatest female players', 'Notes', 'References', 'Further reading'], ['See also', 'References', 'Etymology'], ['Science and technology', 'Military', 'History', 'National Trail', 'Places along the Ridgeway', 'References', 'Maps'], ['Economic issues', 'Healthcare', 'Education', 'Green New Deal', 'Social issues', 'Criminal justice', 'Racial justice', 'LGBT+ rights', 'Foreign policy', 'Iran', 'Transport', 'Roads and bus services', 'Railways', 'Air and river transport', 'Churches', 'Education', 'Development', 'Notable residents', 'Public thinking, public service', 'Arts', 'Sources', 'Further reading'], ['Plot', 'Cast', 'Production', 'Music', 'Early life and education', 'Career and research', 'Bryn Mawr', 'Educational organisations', 'Professional development', 'See also', 'References'], ['Background', 'Congress convenes', 'Toward independence', 'History', 'Pregnancy', 'References'], ['See also', 'References', 'Sources', 'Etymology', 'Texts', 'Upanishads', 'Vedas', 'Ramayana', 'In Tolkappiyam', 'Sindhi Hindus', 'Buddhism', 'Theravada', 'Mahayana', 'Plot', 'Characters', 'Story', 'Development and release', 'Virtua Fighter', 'Virtua Fighter Remix', 'Virtua Fighter 10th Anniversary', 'Reception', 'Legacy', 'References']]



['Wikipedia: Pioneer 11', 'Wikipedia: Foreign relations of Qatar', 'Wikipedia: Proof by contradiction', 'Wikipedia: Rurik', 'Wikipedia: Category of sets', 'Wikipedia: Foreign relations of Seychelles', 'Wikipedia: History of Switzerland', 'Wikipedia: St. Louis', 'Wikipedia: Scrabble', 'Wikipedia: Susan B. Anthony', 'Wikipedia: September 25', 'Wikipedia: Sheridan Le Fanu', 'Wikipedia: Son House', 'Wikipedia: Sunni Islam', 'Wikipedia: Tiffani Thiessen', 'Wikipedia: Tiber', 'Wikipedia: Tom Burnett', 'Wikipedia: Theophan the Recluse', 'Wikipedia: Vladimir Markovnikov', 'Wikipedia: Vernon Green']
[['See also', 'References'], ['Multilateral relations', 'Regional relations', 'Peace brokering and peacekeeping activities', 'Cultural and religious activities', 'Foreign aid', 'Bilateral relations', 'Notable people', 'See also', 'References', 'Further reading'], ['Irregular subtractive notation', 'Rare variants', 'Non-numeric combinations', 'Zero', 'Fractions', 'Large numbers', 'Apostrophus', 'Vinculum', 'Origin of the system', 'Etruscan numerals', 'General', 'Information and records', 'Chemistry', 'Maths', 'See also', 'Reception', 'Concepts reused', 'Errors', 'Influence', 'Adaptations', 'Games', 'On screen', 'OEL manga', 'In other works', 'See also', 'Fixed date', 'Unified date', '1923 proposal', '1997 proposal', '2008–2009 proposals', '2014–2016 proposals', 'See also', 'References'], ['Life', 'Historicity debate', 'Archaeological evidence', 'Properties of the category of sets', 'Foundations for the category of sets', 'See also', 'Notes', 'Visible and invisible particles of combustion', 'Dangers', 'Corrosion', 'Measurement', 'Health benefits', 'Further reading', 'References'], ['Knowledge and skills', 'Holmesian deduction', 'Forensic science', 'Disguises', 'Agents', 'Combat', 'Pistols', 'Other weapons', 'Personal combat', 'Reception', 'Bilateral relations', 'The Seychelles and the Commonwealth of Nations', 'See also', 'References'], ['Early history', 'Prehistory', 'History', 'Mississippian culture and exploration', 'City founding (French and Spanish Louisiana period)', '19th century', '20th century', 'Game details', 'History', 'Evolution of the rules'], ['Early life', 'Activism', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['Gate Keepers', 'Gregory', 'Goldie', 'Lucien', 'Matthew', 'Mervyn Pumpkinhead', 'Minor dreams', 'Gods, demigods, and major personifications', 'Bast', 'The Presence/The Creator', 'See also', 'Notes', 'References'], ['Origin', 'Legacy', 'References', 'Veneration', 'Reputation', 'See also', 'References', 'Sources', 'Further reading'], ['Publication history', 'Fictional character biography', 'Origin', 'Early history', 'First metamorphosis', 'War of Heaven and Hell', 'Battle for life', 'See also', 'References'], ['In popular culture', 'See also', 'References', 'Further reading'], ['History', 'Plot', 'Connections to the Vietnam War', 'Episodes', 'Characters', 'Character traits', 'Casting', 'Notable guest appearances', 'Reception', 'History', 'Pre-history', 'Contact with other cultures', 'Tropical cyclones', 'Time zone', 'Government', 'Politics', 'Geography', 'Environment', 'Economy', 'Arts, media and culture', 'Organizations', 'Other uses', 'History', 'Formation and early years (1981–1983)', 'Career peak (1984–1989)', 'Breakup (1989)', 'Reformation (1998–present)', 'Discography', 'Awards and nominations', 'Israel/Palestine', 'Structure and composition', 'Committees', 'Green National Committee', 'Caucuses', 'Geographic distribution', 'Office holders', 'List of national conventions and annual meetings', 'Presidential ballot access', 'Electoral results', 'Science and business', 'Sport', 'See also', 'References'], ['Geography', 'People', 'Given name', 'Surname', 'Entertainment', 'Transportation', 'Other uses', 'See also', 'Reception', 'Awards and honors', 'References'], ['Columbia University', 'Caltech', 'Morgan and evolution', 'Awards and honors', 'Personal life', 'See also', 'References', 'Further reading'], ['History', 'Empire and World Wars', 'The Cold War', 'Today', 'Command organisation', 'Personnel', 'Defence expenditure', 'Nuclear weapons', 'Revising instructions', 'May 15 preamble', "Lee's resolution", 'The final push', 'Draft and adoption', 'Annotated text of the engrossed declaration', 'Influences and legal status', 'Signing', 'Publication and reaction', 'History of the documents', 'Namesake', "Boat's history", 'The Ehime Maru incident', 'The Saipan incident', 'USS Ogden collision', 'Post-2002 service', 'Awards', 'See also', 'References', 'Population', 'UN estimatesPopulation Division of the Department of Economic and Social Affairs of the United Nations Secretariat, World Population Prospects: The 2010 Revision ===', 'Population pyramids===', 'Vital statistics', 'UN estimates of births and deaths===', 'Birth, death and fertility rates', 'Fertility rate by region and province', 'Ethnic groups', 'Language', 'Religions', 'Shinto', 'See also', 'References'], [], ['References'], []]



['Wikipedia: Ragnarök', 'Wikipedia: Rudolf II, Holy Roman Emperor', 'Wikipedia: Robert Lowth', 'Wikipedia: Rank (linear algebra)', 'Wikipedia: Slovakia', 'Wikipedia: Tobacco pipe', 'Wikipedia: Sierra Leone', 'Wikipedia: September 29', 'Wikipedia: Saint George', 'Wikipedia: Top-level domain', 'Wikipedia: The Avengers (TV programme)', 'Wikipedia: Unitarianism', 'Wikipedia: Valkyrie (magazine)', 'Wikipedia: Virginia-class submarine']
[['Mission background', 'History', 'Spacecraft design', 'Attitude control and propulsion', 'Communications', 'Power', 'Computer', 'Scientific instruments', 'Mission profile', 'Launch and trajectory', 'Africa', 'Americas', 'Asia', 'Europe', 'Oceania', 'See also', 'References'], ['Principle', 'Law of the excluded middle', 'Relationship with other proof techniques', 'Examples', 'Irrationality of the square root of 2', 'The length of the hypotenuse', 'No least positive rational number', 'Other', 'Early Roman numerals', 'Use in the Middle Ages and Renaissance', 'Modern use', 'Specific disciplines', 'Modern use in continental Europe', 'Unicode', 'See also', 'References', 'Notes', 'Citations', 'Etymology', 'Presence in Literature', 'Poetic Edda', 'Prose Edda', 'References'], ['Early life', 'Life', 'Old Testament scholarship', 'Work on English grammar', 'Hypothesis of identity with Rorik of Dorestad', 'Folklore', 'Legacy', 'References'], ['References', 'Etymology', 'History', 'History', 'Workings of a tobacco pipe', 'Principle', 'Parts', 'Materials', 'Popularity', 'Honours', 'Societies', 'Legacy', 'The detective story', '"Elementary, my dear Watson"', 'The Great Game', 'Museums and special collections', 'Adaptations and derived works', 'Related and derivative writings', 'Etymology', 'History', 'Early history', 'European trading', 'Antiquity', 'Medieval period', 'Old Confederacy (1300–1798)', 'Late Medieval period', 'Reformation', 'Early Modern Switzerland', 'Napoleonic period and aftermath (1798–1848)', 'French invasion and Helvetic Republic', 'Restoration and Regeneration', 'Sonderbund War of 1847', '21st century', 'Geography', 'Cityscape', 'Landmarks', 'Architecture', 'Neighborhoods', 'Topography', 'Climate', 'Flora and fauna', 'Demographics', 'Rules', 'Notation system', 'Sequence of play', 'Making a play', 'End of game', 'Examples', 'Scoring', 'Example', 'Acceptable words', 'TWL, OWL2 and OSPD5', 'Early social activism', 'Partnership with Elizabeth Cady Stanton', 'Temperance activities', "Teachers' conventions", "Early women's rights activities", 'Anti-slavery activities', "Women's Loyal National League", 'American Equal Rights Association', 'The Revolution', 'Attempted alliance with labor', 'Events', 'Births', 'Deaths', 'Loki', 'Odin', 'Three', 'Other gods', 'Angels, fallen angels, and devils', 'Azazel', 'Beelzebub', 'Choronzon', 'Duma', 'Lucifer', 'Early life', 'Later life', 'Work', 'The Purcell Papers', 'Spalatro', 'Historical fiction', 'Sensation novels', 'Major works', 'Other short-story collections', 'Biography', 'Early life', 'Blues performer', 'Recording', 'Rediscovery', 'Influence', 'Honors', 'Discography', 'References'], ['Legend', 'Greek version', 'Latin version', 'Historicity', 'George and the dragon', 'Muslim legends', 'King of Hell', 'Spawn in Armageddon', 'Back in the mortal world', 'New Clown', 'Spawn at his prime', 'Morana', 'Endgame', 'Resurrection', 'Alternative versions', 'Spawn Kills Everyone', 'Terminology', 'History', 'Transition of caliphate into dynastic monarchy of Banu Umayya', 'Caliphate and the dynastic monarchy of Banu Abbas', 'Sunni Islam in the contemporary era', 'Adherents', 'Jurisprudence', 'Schools of law', 'Differences in the schools', 'Pillars of iman', 'Early life', 'Career', 'Personal life', 'Public image', 'Filmography', 'Television', 'Film', 'Accolades', 'Ratings', 'In syndication', 'International', 'Criticisms', 'On-screen violence', 'GMC van', 'Merchandise', 'Comics', 'Books', 'Theme song and soundtrack', 'Solar power', 'Internet domain name', 'Demography', 'Religion', 'Culture', 'Healthcare and education', 'Sport', 'Communication and transportation', 'See also', 'References', 'Sources', 'Etymology', 'History', 'Bridges', 'Representations', 'See also', 'References'], ['Members', 'Current members', 'Former member', 'Touring musicians', 'Timeline', 'References'], ['President and Vice President', 'Congress', 'House of Representatives', 'Senate', 'Best results in major races', 'Fundraising and position on Super PACs', 'State and territorial parties', 'See also', 'References'], ['Early life', 'Career', 'Personal life', 'United Airlines Flight 93', 'Legacy', 'References'], ['History', 'Types', 'Internationalized country code TLDs', 'Infrastructure domain', 'Reserved domains', 'Life', 'The Spiritual Life and How to Be Attuned To It', 'Veneration as a saint', 'Quotes', 'Books in English translation', 'See also', 'References'], ['Premise', 'Series 1 (1961)', 'Series 2-3 (1962–1964)', 'Series transformation', 'Overseas military installations', 'Expeditionary forces', 'Exercise Steppe Eagle', 'The Armed Forces', 'Naval Service', 'Royal Navy', 'Royal Marines', 'British Army', 'Royal Air Force', 'Ministry of Defence', 'Legacy', 'Influence in other countries', 'Revival of interest', "John Trumbull's Declaration of Independence (1817–1826)", 'Slavery and the Declaration', 'Lincoln and the Declaration', "Women's suffrage and the Declaration", 'Twentieth century and later', 'Popular culture', 'See also'], ['Terminology', 'History', 'CIA World Factbook demographic statistics', 'Sex ratio', 'Life expectancy', 'Literacy', 'See also', 'Sources', 'References', 'Early life and education', 'Career', 'Work', 'References'], ['History', 'Innovations', 'Technology barriers']]



['Wikipedia: Quaternary', 'Wikipedia: Reversible error', 'Wikipedia: Rem', 'Wikipedia: Robert Askin', 'Wikipedia: SMS', 'Wikipedia: Star Chamber', 'Wikipedia: Sex worker', 'Wikipedia: Thomas Edison', 'Wikipedia: Tonga', 'Wikipedia: Tomb Raider', 'Wikipedia: The Pogues', 'Wikipedia: Triple jump', 'Wikipedia: Tommy Franks', "Wikipedia: The Hitchhiker's Guide to the Galaxy", 'Wikipedia: Foreign relations of the United Kingdom', 'Wikipedia: Ulrich Leman', 'Wikipedia: Politics of Vietnam', 'Wikipedia: Vulture']
[['Encounter with Jupiter', 'Saturn encounter', 'Interstellar mission', 'NASA ends operations', 'Current status', 'Pioneer anomaly', 'Pioneer plaque', 'Commemoration', 'Gallery', 'See also', 'Research history', 'Geology', 'Climate', 'Quaternary glaciation', 'Last glacial period', 'Notation', 'Principle of explosion', 'Reception', 'See also', 'References', 'Further reading and external links', 'Sources', 'Further reading'], ['Gylfaginning chapters 26 and 34', 'chapter 51', 'Gylfaginning chapters 52 and 53', 'Archaeological record', "Thorwald's Cross", 'Gosforth Cross', 'Ledberg stone', 'Skarpåker stone', 'Theories and interpretations', 'Cyclic time and Hoddmímis holt', 'Personal life', 'Reign', 'Death', 'Patronage of arts and collectionism', 'Occult sciences', 'Ancestors', 'See also', 'References', 'Sources'], ['Literary critic', 'See also', 'Further reading', 'Notes'], ['Main definitions', 'Examples', 'Computing the rank of a matrix', 'Rank from row echelon forms', 'Computation', 'Proofs that column rank', 'First proof', 'Second proof', 'Bronze Age', 'Iron Age', 'Hallstatt Period', 'La Tène Period', 'Roman Period', 'Great invasions from the 4th to 7th centuries', 'Slavic states', 'Great Moravia (830–before 907)', 'Kingdom of Hungary (1000–1918)', 'Czechoslovakia (1918–1939)', 'Typology', 'Pipe shapes', 'Calabash', 'Pipes with removable bowl', 'Hookahs', 'Bowl materials', 'Briar', 'Clay', 'Corncob', 'Meerschaum', 'Adaptations in other media', 'Copyright issues', 'Works', 'Novels', 'Short story collections', 'See also', 'Sherlock Holmes story references', 'Citations', 'Further reading'], ['Early colonies', 'Colonial era (1800–1961)', '1960 Independence Conference', 'Independence (1961) and Margai Administration (1961–1964)', 'Final years of democracy (1964–1967)', 'Military coups (1967–1968)', 'One-party state (1968–1991)', 'Sierra Leone Civil War (1991–2002)', "Kabbah's government and the end of civil war (2002–2014)", 'Struggle with the Ebola epidemic (2014–2016)', 'Modern Switzerland (1848–present)', 'Industrialisation', 'World Wars (1914–1945)', 'History after 1945', 'Order of accession of the cantons', 'See also', 'Notes and references', 'Bibliography'], ['Religion', 'Bosnian population', 'Economy', 'Major companies and institutions', 'Education', 'Colleges and universities', 'Primary and secondary schools', 'Culture', 'Sports', 'Professional sports', 'Collins Scrabble Words', 'Challenges', 'Competitive play', 'Club and tournament play', 'Records', 'Works detailing tournament Scrabble', 'Software', 'Computer players', 'Video game versions', 'Web versions', "Split in the women's movement", 'National suffrage movement', 'History of Woman Suffrage', "International women's organizations", 'International Council of Women', "World's Congress of Representative Women", 'International Woman Suffrage Alliance', 'Changing relationship with Stanton', 'Later life', 'Death and legacy', 'Holidays and observances', 'References'], ['Mazikeen', 'Remiel', 'Minor angels and demons', 'Fair Folk', 'Cluracan', 'Nuala', 'Auberon', 'Titania', 'Puck', 'Immortals, witches, and long-lived humans', 'Legacy and influence', 'Further reading', 'See also', 'References', 'Sources'], ['Etymology', 'In practice', 'Discrimination', 'Veneration', 'History', 'Veneration in the Levant', 'Veneration in the Muslim world', 'Feast days', 'Patronages', 'Arms and flag', 'Iconography', 'Gallery', 'See also', 'Hellspawn', 'Shadows of Spawn', 'Adventures of Spawn', 'Characters', 'Spin-offs and crossovers', 'Legal disputes', 'Dispute with Neil Gaiman', 'Tony Twist suit', 'Creative teams', 'Collected editions', 'Theological traditions', "Ash'ari", 'Maturidi', 'Traditionalist', 'Sunni mysticism', 'Sunni view of hadith', 'Kutub al-Sittah', 'See also', 'References', 'Further reading', 'References'], ['Early life', 'Production notes', 'Filming', 'Awards', 'Professional wrestlers', 'Weapons', 'Home media', 'Bring Back... The A-Team (2006)', 'Feature film', 'Reboot series', 'See also', 'Notes', 'Citations', 'Further reading'], ['Governance', 'Atolls', 'Titles', 'Games', 'Spin-offs', 'Cancelled games', 'Common elements', 'Band history', 'Pre-Pogues years: 1977–1982', 'Early years: 1982–1986', 'Mainstream success and break-up: 1987–1996', 'Post-breakup', 'Reunion: 2001–2014', 'History', 'Technique', 'Approach', 'Early life and education', 'Military career', 'Iraq War', 'Weapons of mass destruction', 'Historical domains', 'Proposed domains', 'Alternative DNS roots', 'Pseudo-domains', 'See also', 'References', 'Further reading'], ['Spelling', 'Synopsis', 'Background', 'Radio', 'Series 4-5 (1965–1968)', 'Move to colour', "Rigg's departure", 'Series 6 (1968–1969)', 'Cast', 'Production', 'Music', 'Cars', 'Production team', 'Episodes', 'Recruitment', 'Role of women', 'See also', 'Notes', 'References'], ['References', 'Bibliography'], ['Beliefs', 'Christology', '"Socinian" Christology', '"Arian" Christology', 'Other beliefs', 'Worship', 'Modern Christian Unitarian organizations', 'International groups', 'Transylvania, Hungary and Romania', 'United Kingdom', 'Legal framework', 'State ideology', 'Communist Party of Vietnam', 'Congress', 'Central Committee', 'Fatherland Front', 'Publication history', 'References'], ['Unified Modular Masts', 'Photonics masts', 'Propulsor', 'Improved sonar systems', 'Rescue equipment', 'Virginia Payload Module', 'High-energy laser weapon', 'Other improved equipment', 'Specifications', 'Boats']]



['Wikipedia: Psychometrics', 'Wikipedia: Quotation', 'Wikipedia: Rapping', 'Wikipedia: Radical Dreamers', 'Wikipedia: Scroll (disambiguation)', 'Wikipedia: Geography of Switzerland', 'Wikipedia: Sarah Lawrence (disambiguation)', 'Wikipedia: Sour mix', 'Wikipedia: Terry Pratchett', 'Wikipedia: The Big Country', 'Wikipedia: Treaty of Verdun', 'Wikipedia: Temple of Set', 'Wikipedia: Ultimate']
[['References'], ['Historical foundation', 'See also', 'References'], ['Reversible error criteria', 'Examples of reversible errors', 'Notes', 'Music', 'Organizations', 'Science and technology', 'People', 'Fictional characters', 'Other uses', 'See also', ', , and Christianity', 'Proto-Indo-European basis', 'Volcanic eruptions', 'Modern influences', 'Notes', 'References'], ['Gameplay', 'Characters and story', 'Development and release', 'Early years', 'Early political career', 'Deputy Leader', 'Leader of the Opposition', 'Premier of New South Wales', 'Law reform', 'Local government and planning', 'Second term', 'Third proof', 'Alternative definitions', 'Properties', 'Applications', 'Generalization', 'Matrices as tensors', 'See also', 'Notes', 'References', 'Further reading', 'World War II (1939–1945)', 'Soviet influence and Communist party rule (1948–1989)', 'Slovak Republic (1993–present)', 'Geography', 'Tatra mountains', 'National parks', 'Caves', 'Rivers', 'Climate', 'Biodiversity', 'Synthetics', 'Briar bowl finish types', 'Corn cob bowl finish types', 'Chamber types', 'Tenon shapes', 'Filter types', 'Stem materials', 'Stem shapes', 'Stem curvatures', 'Bit shapes', 'Art', 'News', 'Web services', '14 August 2017 mudslides', '2018 general election', 'Geography and climate', 'Environment', 'Government and politics', 'Parliament', 'Judiciary', 'Foreign relations', 'Administrative divisions', 'Military', 'Physical description', 'Geology', 'Physiographic divisions', 'Central Plateau', 'Amateur sports', 'Chess', 'Parks', 'Government', 'Local and regional government', 'Structure', 'State and federal government', 'Crime', 'Media', 'Transportation', 'Variations', 'Super Scrabble', 'National versions', 'Television game show versions', 'Games based on Scrabble', 'Gameboard formats', 'Views', 'Views on religion', 'Views on marriage', 'Views on abortion', 'Commemoration', 'Gallery', 'See also', 'References', 'Citations', 'Sources', 'History', 'Initial concept', 'Early development', 'Support in other architectures', 'Early implementations', 'Text messaging outside GSM', 'SMS today', 'SMS Enablement', 'Technical details', 'GSM', 'Hob Gadling', 'Orpheus', 'Thessaly', 'Mad Hettie', 'The Silk Man', 'Vassily', 'Mortals', 'Alex Burgess', 'Roderick Burgess', 'Johanna Constantine', 'Origin of the name', 'History', 'Under the Plantagenets and Tudors', 'Under the Stuarts', 'Abolition and aftermath', 'Recent history', 'Influence on the U.S. Constitution', 'Legal dimensions of sex work', 'Risk reduction', 'Health', 'Forced sex work', 'Advocacy', 'Unionization of sex work', 'Unionizing exotic dancers', 'Non-governmental organizations (NGOs)', 'See also', 'References', 'References', 'Further reading'], ['US releases', 'Spawn Collection', 'Spawn Compendium', 'Spawn Origins Collection', 'Deluxe Edition', 'Hardcover Edition', 'UK releases', 'South African releases', 'Spanish releases', 'Brazilian releases', 'See also', 'Early career', 'Menlo Park laboratory (1876–1886)', 'Research and development facility', 'Phonograph', 'Carbon telephone transmitter', 'Electric light', 'Electric power distribution', 'War of currents', 'West Orange and Fort Myers (1886–1931)', 'Other inventions and projects', 'References', 'General', 'Specific'], ['Etymology', 'History', 'Politics', 'Political culture', 'Foreign relations', 'Military', 'Administrative divisions', 'Lara Croft', 'Continuity', 'Gameplay', 'History and development', 'Origins and development', 'At Core Design (1994–2003)', 'At Crystal Dynamics (2004–present)', 'Music', 'Technology', 'Cultural impact', 'Members', 'Timeline', 'Discography', 'Notes', 'References'], ['Hop', 'Step', 'Jump', 'Foul', 'Records', 'Outdoor', 'All-time top 25 triple jumpers', 'Men (Absolute)', 'Notes', 'Women (Absolute)', 'Dates of rank', 'Awards and decorations', 'Personal life', 'Charity controversy', 'References'], ['Definition', 'History', 'Foundation', 'Later development', 'Ideology', 'Original radio series', 'Radio series 3–5', 'Radio series 6', 'Novels', "The Hitchhiker's Guide to the Galaxy", 'The Restaurant at the End of the Universe', 'Life, the Universe and Everything', 'So Long, and Thanks for All the Fish', 'Mostly Harmless', 'And Another Thing...', 'Reception', 'In Canada and the United States', 'Home media', 'Sequel', 'The New Avengers', 'Spin-offs', 'Novels', 'Comics', 'Stage play', 'Radio series', 'History', '1814–1914', 'First World War', '1920s', '1930s', 'Second World War', 'Since 1945'], ['Arts, entertainment, and media', 'Music', 'India', 'United States', 'Australia and New Zealand', 'South Africa', 'Biblical Unitarian Movement', 'Notable Unitarians', 'See also', 'Notes', 'References', 'Citations', 'Executive', 'Legislative', 'Judiciary', 'Elections', 'Latest parliamentary election', 'Latest presidential election', 'Local government', 'List of provinces', 'References', 'Bibliography', 'Old World vulture', 'New World vultures', 'Feeding', 'Conservation status', 'See also', 'References'], ['Block I', 'Block II', 'Block III', 'Block IV', 'Block V', 'List of boats', 'Future acquisitions', 'SSN(X)/Improved Virginia', 'See also', 'References']]



['Wikipedia: Rammstein', 'Wikipedia: Rosencrantz and Guildenstern Are Dead', 'Wikipedia: Robert Anton Wilson', 'Wikipedia: Marine archaeology in the Gulf of Cambay', 'Wikipedia: Slow fire', 'Wikipedia: South Carolina', 'Wikipedia: Coat of arms of South Africa', 'Wikipedia: Secular humanism', 'Wikipedia: Sikhs', 'Wikipedia: Transition metal', 'Wikipedia: Triathlon', 'Wikipedia: Ubiquitin', 'Wikipedia: Economy of Vietnam', 'Wikipedia: Volleyball', 'Wikipedia: Vectrex']
[['Victorian stream', 'German stream', '20th century', 'Definition of measurement in the social sciences', 'Instruments and procedures', 'Theoretical approaches', 'Key concepts', 'Standards of quality', 'Testing standards', 'Evaluation standards', 'As a literary device', 'Reasons for using', 'Common sources', 'Misquotations', 'Quotative inversion', 'Syntax', 'In spoken discourse', 'Form', 'Quotative markers', 'English', 'History', 'Etymology and usage', 'Roots', 'Proto-rap', 'Old-school hip hop', 'Golden age', 'Flow', 'History', 'Founding and Herzeleid (1989–1996)', 'Sehnsucht and Live aus Berlin (1996–2000)', 'Mutter (2000–2002)', 'Reise, Reise, Rosenrot, and Völkerball (2003–2006)', 'Liebe ist für alle da (2007–2011)', 'Title', 'Characters', 'Synopsis', 'Summary', 'Act One', 'Act Two', 'Music', 'Fan translation and commentary', 'Legacy', 'Notes', 'References'], ['Federal relations', 'Third and Fourth terms', 'Later life', 'Allegations of corruption', 'See also', 'References', 'Bibliography', 'Initial discovery', 'Follow-up excavations', 'Carbon dates', 'Fungi', 'Politics and government', 'Foreign relations', 'Military', 'Human rights', 'Administrative divisions', 'Economy', 'Industry', 'Energy', 'Transportation', 'Bit sizes', 'Accessories', 'Filters', 'Use', 'Tobacco', 'Packing', 'Lighting', 'Burning prevention', 'Smoking', 'Cleaning', 'Other', 'See also', 'See also', 'Law enforcement', 'Human rights', 'Economy', 'Agriculture', 'Mining', 'Transport infrastructure', 'Energy in Sierra Leone', 'Overview', 'Solar energy', 'Hydroelectric power', 'Alps', 'Jura', 'Hydrology', 'Climate', 'Political divisions and greater regions', 'Land use', 'Surfaces of housing and infrastructure', 'Farmland', 'Forests', 'Unproductive areas', 'Roads and highways', 'Metro Light Rail and Subway', 'Airports', 'Port authority', 'Railroad service', 'Bus service', 'Taxi', 'Notable residents', 'Sister cities', 'See also'], ['Articles surrounding the 1873 trial', 'Geography', 'Message size', 'Gateway providers', 'Interconnectivity with other networks', 'AT commands', 'Premium-rated short messages', 'Threaded SMS', 'Application-to-person (A2P) SMS', 'Satellite phone networks', 'Unreliability', 'Vulnerabilities', 'John Constantine', 'Ethel Cripps', 'Doctor Dee', 'Wesley Dodds', 'Foxglove', 'Daniel Hall', 'Lyta Hall', 'John Hathaway', 'Hazel McNamara', 'Unity Kinkaid', 'Notes', 'References', 'Further reading', 'Further reading'], ['International', 'Africa', 'Australia', 'Europe', 'North America', 'Anti-prostitution groups', 'See also', 'Terminology', 'History', 'Related collected editions', 'Spin-off trade paperback collections', 'One-shot editions', 'Spin-off hardcover collection', 'Curse of the Spawn', 'In other media', 'Television', 'Film', 'Video games', 'Merchandising', 'History', 'British rule', 'Partition and post-Partition', 'Culture and religious observations', 'Daily routine', 'Fluoroscopy', 'Tasimeter', 'Telegraph improvements', 'Motion pictures', 'Mining', 'Rechargeable battery', 'Chemicals', 'Final years and death', 'Final years', 'Death', 'Early life', 'Early career', 'Later life', "Alzheimer's disease", 'Death', 'Interests', 'Computers and the Internet', 'Natural history', 'Orangutans', 'Geography', 'Climate', 'Ecology', 'Economy', 'Agriculture', 'Energy', 'Demographics', 'Ethnic groups', 'Languages', 'Religion', 'Reception', 'See also', 'References'], ['Plot', 'Cast', 'Production', 'Reception', 'Awards and nominations', 'Preservation', 'Comic book', 'Olympic medalists', 'Men', 'Women', 'World Championships medalists', 'World Indoor Championships medalists', "Season's bests", 'References'], ['Background', 'Provisions', 'Legacy', 'See also', 'Notes'], ['Writings', 'Self-deification and Xeper', 'Set', 'Magic', 'Insignia', 'Structure', 'Degrees', 'Leadership', 'Pylons, elements, and orders', 'Demographics', 'Omnibus editions', "The More Than Complete Hitchhiker's Guide", "The Ultimate Hitchhiker's Guide", 'Television series', '1981 series', '2021 series', 'Other television appearances', 'Film', 'Stage shows', 'Other adaptations', 'Film', 'Audio', 'See also', 'References', 'Bibliography'], ['21st century', 'Major international disputes since 1945', 'Sovereignty disputes', 'Commonwealth of Nations', 'Africa', 'Americas', 'Asia', 'Europe', 'European Union', 'Oceania', 'Albums', 'Songs', 'Video Games', 'Other uses in arts,  entertainment, and media', 'Philosophy', 'Sport', 'Technology', 'See also', 'Sources', 'Bibliography', 'Further reading'], [], ['History', 'Until 1858', 'History', 'Origin of volleyball', 'Refinements and later developments', 'Further reading'], ['History']]



['Wikipedia: Redshift', 'Wikipedia: Robert Siodmak', 'Wikipedia: Swiss cheese (North America)', 'Wikipedia: Sequential access', 'Wikipedia: Steam engine', 'Wikipedia: Stéphane Mallarmé', 'Wikipedia: SDL', 'Wikipedia: The Associates (band)', 'Wikipedia: TNT', 'Wikipedia: Trance music', 'Wikipedia: Tate Modern', 'Wikipedia: Urea', 'Wikipedia: Universal Copyright Convention']
[['Non-human: animals and machines', 'See also', 'References', 'Bibliography', 'Notes', 'Further reading'], ['Japanese', 'Laal', 'Quotative verbs', 'Quotative particles', 'Quotative evidentials', 'See also', 'References', 'History of flow', 'Styles', 'Rhyme', 'Rhythm', 'Rap notation and flow diagrams', 'Performance', 'Emcees', 'Subject matter', 'Literary technique', 'Diction and dialect', 'Made in Germany, video releases, and side projects (2011–2017)', 'Untitled seventh album (2017–present)', 'Musical style and lyrics', 'Live performances', 'Controversies', 'Imagery', 'Relation to violent events', 'Videos', 'Placement on the Index', 'Legal action', 'Act Three', 'Motifs and ideas', 'Metatheatre', 'Notable productions', 'United Kingdom', 'Broadway and Off-Broadway', 'Radio adaptations', 'Film adaptation', 'References', 'Further reading', 'Early life', 'The Illuminatus! Trilogy', "Schrödinger's Cat Trilogy, The Historical Illuminatus Chronicles, and Masks of the Illuminati", 'Plays and screenplays', 'The Cosmic Trigger series and other books', 'Probability reliance', 'Economic thought', 'History', 'Measurement, characterization, and interpretation', 'Redshift formulae', 'Doppler effect', 'Expansion of space', 'Mathematical derivation', 'Artifacts', 'Geography', 'Collection methods', 'See also', 'References'], ['Tourism', 'Science', 'Demographics', 'Languages', 'Religion', 'Education', 'Culture', 'Folk tradition', 'Art', 'Literature', 'Sweetening', 'See also', 'References', 'Further reading'], [], ['Definition', 'See also', 'Society', 'Demographics', 'Religion', 'Ethnic groups', 'Gender equality', 'Household', 'War', 'Epidemics (Ebola)', 'Gender-Based Violence', 'Female Economy', 'Population', 'Environment', 'Air', 'Water', 'Biodiversity', 'International agreements', 'Area and boundaries', 'Western or Central Europe?', 'Natural World Heritage Sites', 'Topography', 'Notes', 'References', 'Further reading'], ['Regions', 'Atlantic Coastal Plain', 'Piedmont', 'Blue Ridge', 'Lakes', 'Earthquakes', 'Climate', 'Hurricanes and tropical cyclones', 'Federal lands in South Carolina', 'Demographics', 'SMS spoofing', 'Limitation', 'Flash SMS', 'Silent SMS', 'See also', 'References'], ['Prez Rickard', 'Ruthven Sykes', 'Jed Walker', 'Rose Walker', 'Clarice and Barnaby', 'Wanda', 'Historical figures', 'Minor mortals', 'Superheroes', 'Other', 'History', 'Blazon', 'The oval shape of foundation', 'The oval shape of ascendance', '1910 arms', 'Evolution', 'Provincial arms', '1910-1994', '1994-present', 'See also', 'Biography', 'Style', 'Influence', 'General poetry', 'Un Coup de Dés', 'Secularism', 'Positivism and the Church of Humanity', 'Ethical movement', 'Secular humanism', 'Manifestos and declarations', 'International Humanist and Ethical Union', 'Council for Secular Humanism', 'American Humanist Association', 'Ethics and relationship to religious belief', 'Modern context', 'Music', 'References in other works', 'See also', 'References'], ['Five Ks', 'Music and instruments', 'Demographics', 'Migration', 'Castes', 'Diaspora', 'Agriculture', 'Notable Sikhs in modern history', 'In the Indian and British armies', 'Sikh nationalism and the Khalistan movement', 'Marriages and children', 'Views', 'On politics, religion, and metaphysics', 'On the monetary system', 'Awards', 'Tributes', 'Places and people named for Edison', 'Museums and memorials', "Companies bearing Edison's name", 'Awards named in honor of Edison', 'Amateur astronomy', 'Terry Pratchett First Novel Award', 'Sir Terry Pratchett Memorial Scholarship', 'Writing career', 'Awards', 'Fanbase', 'Writing', 'Fantasy genre', 'Style and themes', 'Influences', 'Health', 'Education', 'Culture', 'Sport', 'Rugby', 'Olympics', 'American football', 'Media', 'See also', 'References', 'Classification', 'Subclasses', 'Electronic configuration', 'Characteristic properties', 'Coloured compounds', 'Oxidation states', 'Magnetism', 'Catalytic properties', 'Physical properties', 'Locations', 'See also', 'References'], ['History', 'Preparation', 'Applications', 'Explosive character', 'Energy content', 'Production', 'Subgenres', 'Music festivals', 'Asia', 'References', 'Footnotes', 'Sources', 'Further academic reading'], ['Vinyl LPs', 'Audiobooks', 'Video games', 'Comic books', 'Live radio', 'Legacy', 'Future predictions', '"Hitch-Hikeriana"', 'Towel Day', '42, or The Answer to the Ultimate Question of Life, The Universe, and Everything', 'History', 'Modern beginnings', 'Ironman', 'European migration', 'A global federation', 'Organisations', 'Conflict', 'Overseas Territories', 'International Organizations', 'See also', 'References', 'Bibliography'], ['See also', 'References'], ['Identification', 'The protein', 'Genes', 'Origins', 'Ubiquitylation', 'Types', 'Monoubiquitination', 'Polyubiquitin chains', 'Structure', '1858–1975', '1976–1997', 'Development since 1997', 'Data', 'Economic sectors', 'Agriculture, fishery and forestry', 'Energy, mining and minerals', 'Industry and manufacturing', 'Services and tourism', 'Banking and finance', 'Volleyball in the Olympics', 'Rules of the game', 'The court dimensions', 'The ball', 'Gameplay', 'Scoring', 'Libero', 'Recent rule changes', 'Skills', 'Serve', 'Technical specifications', 'Circuit board', 'Sound', 'Design', 'Peripherals', 'Screen overlays', 'Software', 'Reception', 'Legacy', 'See also']]



['Wikipedia: Philosophy of education', 'Wikipedia: Quantum mechanics', 'Wikipedia: Rock music', 'Wikipedia: RC4', 'Wikipedia: Sed', 'Wikipedia: Demographics of Switzerland', 'Wikipedia: Santa Monica, California', 'Wikipedia: Shoah (disambiguation)', 'Wikipedia: Submarine', 'Wikipedia: Samba (software)', 'Wikipedia: Taoism', 'Wikipedia: Universe', 'Wikipedia: OpenVMS']
[['Philosophy of education', 'Plato', 'Immanuel Kant', 'Georg Wilhelm Friedrich Hegel', 'Realism', 'Aristotle', 'History', 'Mathematical formulations', 'Mathematically equivalent formulations', 'Relation to other scientific theories', 'Relation to classical physics', 'Copenhagen interpretation of quantum versus classical kinematics', 'Freestyle and battle', 'Derivatives and influence', 'See also', 'Notes', 'References', 'Further reading', 'Political views', 'Members', 'Discography', 'Tours', 'Awards', 'Echo Awards', 'Kerrang! Awards', 'World Music Awards', 'MTV Europe Music Awards', 'International Music Awards'], ['History', 'Description', 'Other activities', 'Death', 'Works', 'Bibliography', 'Fiction', 'Autobiographical and philosophical trilogy', 'Non-fiction', 'Essay collections', 'Editor', 'Discography', 'Distinguishing between cosmological and local effects', 'Gravitational redshift', 'Observations in astronomy', 'Local observations', 'Extragalactic observations', 'Highest redshifts', 'Redshift surveys', 'Effects from physical optics or radiative transfer', 'References', 'Sources', 'Early life', 'Hollywood career', 'Return to Europe', 'Later career', 'Filmography', 'References'], ['Cuisine', 'Sport', 'See also', 'Notes', 'References', 'Bibliography'], ['Production', 'Variants', 'Nutrition', 'See also', 'References'], ['References', 'History', 'Mode of operation', 'Education', 'Health', 'Emergency medical response', 'Endemic and infectious diseases', 'Maternal and child health', 'Mental health', 'Potable water supply', '2014 Ebola outbreak', 'Culture', 'Polygamy', 'See also', 'Notes and references', 'Notes', 'References', 'Bibliography'], ['History', 'Early experiments', 'Pumping engines', 'Piston steam engines', 'High-pressure engines', 'Horizontal stationary engine', 'Road vehicles', 'Marine engines', 'Steam locomotives', 'Population centers', 'Government and politics', 'History', 'Precolonial period', 'Exploration', 'Colonization', 'The American Revolution', 'Antebellum', 'Civil War 1861–1865', 'Reconstruction 1865–1877', 'History', 'Attractions and cultural resources', 'Music and Arts Venues', 'Shopping Districts', 'Third Street Promenade', 'Santa Monica Place', 'Barnabas', 'Basanos', 'Charles Rowland and Edwin Paine', "Eblis O'Shaughnessy", 'Alianora', 'References'], ['References'], ['All article disambiguation pages', 'Works', 'References and sources', 'Further reading'], ['Humanist celebrations', 'Legal mentions in the United States', 'Hatch amendment', 'Case law', 'Torcaso v. Watkins', 'Fellowship of Humanity v. County of Alameda', 'Washington Ethical Society v. District of Columbia', 'Peloza v. Capistrano School District', 'Controversy', 'Notable humanists', 'Computing', 'Organizations', 'Other uses', 'Art and culture', 'Painting', 'See also', 'Notes', 'References', 'Citations', 'Sources', 'Further reading'], ['Other items named after Edison', 'In popular culture', 'People who worked for Edison', 'See also', 'References', 'Bibliography'], ['Museums', 'Information and media', 'Publishing history', 'Works', 'The Discworld series', 'Other Discworld books', 'The Science of Discworld', 'Folklore of Discworld', 'Other novels and writing', 'Juvenile literature', 'Collaborations and contributions', 'Unfinished texts', 'Further reading', 'Ethnography, culture and history', 'Wildlife and environment', 'Travel guides', 'Bibliography', 'Fiction'], ['See also', 'References', 'Definition', 'History', '1979–1982: Formation and success', '1983–1990: Commercial decline', '1991–present: Split and aftermath', 'Legacy and influence', 'Band members', 'Discography', 'Studio albums', 'Compilation albums', 'Detection', 'Safety and toxicity', 'Pink and red water', 'Ecological impact', 'Aqueous solubility', 'Soil adsorption', 'Chemical breakdown', 'Biodegradation', 'See also', 'References', 'Europe', 'Netherlands', 'North America', 'Canada', 'United States', 'Mexico', 'Oceania', 'Australia', 'South America', 'Argentina', 'History', 'Bankside Power Station', 'Initial redevelopment', 'Opening and initial reception', 'Extension project', 'The Tanks', 'The Switch House', 'Galleries', 'Other references in popular culture', "Other Hitchhiker's-related books and stories", 'Related stories', 'Published radio scripts', 'See also', 'References'], ['Race formats', 'Race organization', 'Rules of triathlon', 'Triathlon and fitness', 'Swimming', 'Cycling', 'Running', 'Transition', 'Notable events', 'ITU-sanctioned events', 'Uses', 'Agriculture', 'Chemical industry', 'Explosives', 'Automobile systems', 'Laboratory uses', 'Medical use', 'Definition', 'Etymology', 'Synonyms', 'Chronology and the Big Bang', 'Physical properties', 'Function', 'Membrane proteins', 'Fougaro System', 'Genomic maintenance', 'Transcriptional regulation', 'Deubiquitination', 'Ubiquitin-binding domains', 'Disease associations', 'Pathogenesis', 'Neurodegeneration', 'Banking', 'Finance', 'Currency, exchange rate and inflation', 'Currency', 'Exchange rate', 'Inflation', 'Mergers and acquisitions', 'Trade', 'Foreign trade', 'Trades and balance of trade', 'Pass', 'Set', 'Attack', 'Block', 'Dig', 'Team play', 'Strategy', 'Player specialization', 'Formations', '4–2', 'References'], ['History']]



['Wikipedia: Rob Reiner', 'Wikipedia: Regression', 'Wikipedia: Scientific method', 'Wikipedia: Spontaneous combustion (disambiguation)', 'Wikipedia: Seattle Seahawks', 'Wikipedia: Second Epistle to the Corinthians', 'Wikipedia: Superworld', 'Wikipedia: Thomas Reid', 'Wikipedia: History of Tonga', 'Wikipedia: The Stranglers', 'Wikipedia: Toluene', 'Wikipedia: Thomas Pynchon', 'Wikipedia: The Art of Computer Programming']
[['Ibn Sina', 'Ibn Tufail', 'Montaigne', 'John Locke', 'Jean-Jacques Rousseau', 'Mortimer Jerome Adler', 'Harry S. Broudy', 'Scholasticism', 'Thomas Aquinas', 'John Milton', 'Relation to general relativity', 'Attempts at a unified field theory', 'Philosophical implications', 'Applications', 'Electronics', 'Cryptography', 'Quantum computing', 'Macroscale quantum effects', 'Other phenomena', 'Examples', 'Characteristics', '1950s: Rock and roll', 'Early 1960s', 'Pop rock and instrumental rock', 'Latin rock', 'Surf music', 'British Invasion', 'Metal Hammer Awards', 'UK Music Video Awards', 'Heavy Music Awards', 'PRG Live Entertainment Awards', 'Emma Gaala Awards', 'Edison Awards', 'Fonogram Awards', 'Swiss Music Awards', 'Champion DVD', 'AntyRadia Rock Awards', 'Key-scheduling algorithm (KSA)', 'Pseudo-random generation algorithm (PRGA)', 'RC4-based random number generators', 'Implementation', 'Test vectors', 'Security', "Roos's biases and key reconstruction from permutation", 'Biased outputs of the RC4', 'Fluhrer, Mantin and Shamir attack', "Klein's attack", 'Filmography', 'Actor', 'Writer', 'Himself', 'Documentary', 'See also', 'References'], ['Articles', 'Books'], ['Science', 'Statistics', 'Computing', 'History', 'Overview', 'Process', 'Formulation of a question', 'Hypothesis', 'Prediction', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'Usage', 'Substitution command', 'Other sed commands', 'sed used as a filter', 'File-based sed scripts', 'In-place editing', 'Examples', 'Hello, world! example', 'Other simple examples', 'Multiline processing example', 'Food and customs', 'Media', 'Arts', 'Sports', 'See also', 'References', 'Bibliography', 'Further reading', 'Fiction and memoir', 'Secondary sources', 'Census', 'Population', 'Growth rate', 'Total Fertility Rate from 1850 to 1899', 'Vital statistics since 1900', 'Current vital statistics', 'Age structure', 'Steam turbines', 'Present development', 'Components and accessories of steam engines', 'Heat source', 'Boilers', 'Motor units', 'Cold sink', 'Water pump', 'Monitoring and control', 'Governor', 'Populist and agrarian movements', '20th century', '21st century', 'Culture', 'Arts', 'Religion', 'Sports', 'Economy and infrastructure', 'Media', 'Transportation', 'Parks', 'Geography', 'Climate', 'Environment', 'Demographics', '2010', '2000', 'Crime', 'Gang activity', 'Education', 'Franchise history', '1976–1982: Expansion era', '1983–1991: Chuck Knox era', '1990s era', '1999–2008: Mike Holmgren era and return to the NFC', "2009: Jim Mora's single season", 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'History', 'Etymology', 'Early submersibles', '18th century', '19th century', 'Mechanical power', '20th century', 'World War I', 'World War II', 'Manifestos', 'Related organizations', 'See also', 'Related philosophies', 'Wikibooks', 'Notes and references', 'Further reading', 'Primary sources', 'Early history', 'Version history', 'Security', 'Features', 'Samba TNG', 'See also', 'References'], ['Game system', 'Game materials', 'Supplements', 'Bad Medicine for Dr. Drugs', 'Life', 'Philosophical work', 'Overview', "Thomas Reid's theory of common sense", 'Adaptations', 'Comic books and graphic novels', 'Feature films', 'Short Films', 'Internet games', 'Music', 'Radio', 'Television', 'Theatre', 'Role-playing games', 'Pre-contact', 'Early culture', 'The Old Tonga', 'The Lapita Period', 'The Polynesian Plain Ware Period: 2650–1550 BP (700 BC – 400 AD)', 'The Formative Dark Age: 1550 – 750 BP (400 BC – 1200 AD)', 'Spelling and pronunciation', 'Categorisation', 'The term "Taoist" and "Taoism" as a "liturgical framework"', 'History', 'Doctrines', 'Ethics', 'Tao and Te', 'Wu-wei', 'Ziran', 'Three Treasures', 'EPs', 'Singles', 'Selected compilation appearances', 'References'], [], ['History', 'Chemical properties', 'See also', 'References'], ['Exhibitions', 'Collection exhibitions', 'History of the collection exhibitions', 'Temporary exhibitions', 'The Turbine Hall', 'Major temporary exhibitions', 'Project Space', 'Other areas', 'Other facilities', 'Access and environs', 'History', 'Assembly language in the book', 'Critical response', 'Volumes', 'Completed', 'Planned', 'Olympics', 'Paralympics', 'Other events', 'Nonstandard variations', 'See also', 'References', 'Further reading'], ['Miscellaneous uses', 'Adverse effects', 'Physiology', 'Humans', 'Other species', 'Analysis', 'Related compounds', 'History', 'Production', 'Industrial methods', 'Size and regions', 'Age and expansion', 'Spacetime', 'Shape', 'Support of life', 'Composition', 'Dark energy', 'Dark matter', 'Ordinary matter', 'Particles', 'Infection and immunity', 'Genetic Disorders', 'Diagnostic use', 'Link to cancer', 'Direct loss of function mutation of E3 ubiquitin ligase', 'Renal cell carcinoma', 'Breast cancer', 'Cyclin E', 'Increased ubiquitination activity', 'Cervical cancer', 'Exports', 'Imports', 'External debt, foreign aid and foreign investment', 'Free trade agreements', 'Economic development strategy', 'Guiding principle', 'Industrialization and Modernization (IM)', 'Socialist-Oriented Market Economy (SOME)', 'Development strategy', 'Trade liberalization', '6–2', '5–1', 'Controversies', 'Media', 'Movies', 'Television', 'Variations and related games', 'See also', 'Notes'], ['Origin and name changes', 'Port to DEC Alpha', 'Port to Intel Itanium', 'Port to x86-64', 'Major release timeline', 'Features', 'User interfaces', 'Command line interfaces', 'Graphical user interfaces', 'Clustering']]



['Wikipedia: Roller hockey', 'Wikipedia: Return to Castle Wolfenstein', 'Wikipedia: Smoke signal', 'Wikipedia: History of Sierra Leone', 'Wikipedia: Game Gear', 'Wikipedia: Simple DirectMedia Layer', 'Wikipedia: Germs (band)', 'Wikipedia: Vocative case']
[['Pragmatism', 'John Dewey', 'William James', 'William Heard Kilpatrick', 'Nel Noddings', 'Richard Rorty', 'Analytic philosophy', 'Richard Stanley Peters (1919–2011)', 'Existentialist', 'Critical theory', 'Free particle', 'Particle in a box', 'Finite potential well', 'Rectangular potential barrier', 'Harmonic oscillator', 'Step potential', 'See also', 'Notes', 'References', 'Further reading', 'Garage rock', 'Psychedelia and progressivism', 'Blues and folk fusions', 'Blues rock', 'Folk rock', 'Psychedelic rock', 'Progressive rock', 'Jazz rock', 'Early 1970s', 'Roots rock', 'Bravo Otto Awards', 'Viva Comet Awards', 'Metal Hammer Golden Gods Awards', 'Bandit Rock Awards', 'Hard Rock Awards', '1Live Krone Awards', 'Agendainfo Awards', 'Revolver Golden Gods Awards', 'Loudwire Music Awards', 'Prize Popculture', 'Combinatorial problem', 'Royal Holloway attack', 'Bar-mitzvah attack', 'NOMORE attack', 'RC4 variants', 'RC4A', 'VMPC', 'RC4+', 'Spritz', 'RC4-based protocols', 'Variants', 'Rink hockey', 'Roller hockey', 'Tournaments', 'Roller hockey brands', 'Early life', 'Career', 'Political views', 'Personal life', 'Filmography', 'Film', 'As actor', 'Television', 'Awards and nominations', 'See also', 'Hypnosis', 'Other uses', 'See also', 'Testing', 'Analysis', 'DNA example', 'Other components', 'Replication', 'External review', 'Data recording and sharing', 'Scientific inquiry', 'Properties of scientific inquiry', 'Beliefs and biases', 'History and usage', 'Examples', 'Native Americans', 'Limitations and alternatives', 'See also', 'Notes', 'References', 'Further reading'], ['Tutorials', 'Other links'], ['Early history', 'European contact (15th century)', 'Sex ratio', 'Life expectancy at birth', 'Life expectancy from 1850 to 1950', 'Nationality', 'Permanent residents by nationality', 'Naturalization', 'Immigration', 'Emigration', 'Demographic statistics', 'Religions', 'Engine configuration', 'Simple engine', 'Compound engines', 'Multiple-expansion engines', 'Types of motor units', 'Reciprocating piston', 'Compression', 'Lead', 'Uniflow (or unaflow) engine', 'Turbine engines', 'Roads', 'Rail', 'Major and regional airports', 'Education', 'Institutions of higher education', 'Universities and colleges ranked by endowment, 2010', 'Health care', 'Gallery', 'See also', 'Notes', 'Elementary and secondary schools', 'Elementary schools', 'Middle schools', 'High schools', 'Private schools', 'Miscellaneous education', 'Post-secondary', 'Public library system', 'Transportation', 'Bicycles', '2010–present: Pete Carroll era', '2013: First Super Bowl championship', 'Post-championship results', 'Rivalries', 'San Francisco 49ers', 'Green Bay Packers', 'Denver Broncos', 'Super Bowl appearances', 'Headquarters and training camps', 'Logos and uniforms', 'Composition', 'Structure', 'Background', 'Content', 'Uniqueness', 'Scholars', 'See also', 'References'], ['Cold-War military models', '21st century', 'Usage', 'Military', 'Civilian', 'Polar operations', 'Technology', 'Submersion and trimming', 'X-stern', 'Hull', 'History', 'Release and marketing', 'Decline', 'Technical specifications', 'Game library', 'History', 'Software architecture', 'Subsystems', 'Superworld Companion', 'Trouble for HAVOC', 'Reception', 'Reviews', 'Wild Cards', 'See also', 'References'], ['Exploring sense and language', 'Influences', 'Other philosophical positions', 'Works', 'References', 'Further reading'], ['Video games', 'Board games', 'Works about Pratchett', 'Arms', 'See also', 'References'], ['Tongan Maritime Empire', 'European arrival and Christianization', 'Unification', '20th century', 'Kingdom of Tonga (1900–70)', 'Independence (1970)', '21st century', '2002 election', '2005 election', '2006 riots', 'Cosmology', 'Theology', 'Texts', 'Tao Te Ching', 'Zhuangzi', 'I Ching', 'Daozang', 'Other texts', 'Symbols and images', 'Practices', 'History', 'Formation and mainstream success (1974–1979)', 'Second phase (1979–1982)', 'New label and sound (1983–1990)', 'Post-Cornwell era (1990s)', '2000s resurgence and reversion to a four-piece', 'Fifth decade (2010–present)', 'Members', 'Production', 'Laboratory preparation', 'Uses', 'Precursor to benzene and xylene', 'Nitration', 'Oxidation', 'Solvent', 'Fuel', 'Niche applications', 'Toxicology and metabolism', 'Early life', 'Education and military career', 'Career', 'Early career', 'V.', 'The Crying of Lot 49', "Gravity's Rainbow", 'Later career', 'Vineland', 'Mason & Dixon', 'Transport connections', 'Directors', 'Controversies', 'Liberate Tate from BP', 'Selections from the permanent collection of paintings', 'See also', 'References', 'Further reading'], ['Chapter outlines', 'Volume 1\xa0– Fundamental Algorithms', 'Volume 2\xa0– Seminumerical Algorithms', 'Volume 3\xa0– Sorting and Searching', 'Volume 4A\xa0– Combinatorial Algorithms, Part 1', 'Volume 4B, 4C, 4D – Combinatorial Algorithms', 'Volume 5\xa0– Syntactic Algorithms', 'Volume 6\xa0– The Theory of Context-free Languages====', 'Volume 7\xa0– Compiler Techniques', 'English editions', 'History', 'Formation', 'Recordings', 'Dissolution and suicide of Darby Crash', 'Aftermath', 'Synthesis', 'Stripping concept', 'Side reactions', 'Corrosion', 'Finishing', 'Solid forms', 'UAN solutions', 'Laboratory preparation', 'Historical process', 'Properties', 'Hadrons', 'Leptons', 'Photons', 'Cosmological models', 'Model of the universe based on general relativity', 'Multiverse hypothesis', 'Historical conceptions', 'Mythologies', 'Philosophical models', 'Astronomical concepts', 'p53 regulation', 'p27', 'Efp', 'Evasion of Ubiquitination', 'Colorectal cancer', 'Glioblastoma', 'Phosphorylation-dependent ubiquitination', 'As a drug target', 'Screening for ubiquitin ligase substrates', 'Possible therapeutic applications', 'Domestic reform', 'Human and physical capital investment', 'Sustainable growth', 'Economic indicators and international rankings', 'Literature', 'Notes', 'References'], ['Indo-European languages', 'Comparison', 'Baltic languages', 'File system', 'Timekeeping', 'Programming', 'Debugging', 'Standard streams', 'Security', 'Vulnerabilities', 'Cross-platform applications', 'Documentation', 'Hobbyist programs']]



['Wikipedia: Quilting', 'Wikipedia: Ringo Starr', 'Wikipedia: Royal Navy', 'Wikipedia: Robin Wright', 'Wikipedia: Southern Poverty Law Center', 'Wikipedia: Sessions', 'Wikipedia: Specialization (logic)', 'Wikipedia: 32X', 'Wikipedia: Samuel Taylor Coleridge', 'Wikipedia: The Texas Chain Saw Massacre', 'Wikipedia: Treaty of Versailles', 'Wikipedia: Geography of Tonga', 'Wikipedia: The Computer Contradictionary', 'Wikipedia: Theophanu', 'Wikipedia: Uric acid', 'Wikipedia: Uncertainty principle', "Wikipedia: People's Army of Vietnam"]
[['Paulo Freire', 'Other Continental thinkers', 'Martin Heidegger', 'Hans-Georg Gadamer', 'Jean-François Lyotard', 'Michel Foucault', 'Normative educational philosophies', 'Perennialism', 'Allan Bloom', 'Classical education'], ['History', 'Early quilting', 'Glam rock', 'Chicano rock', 'Soft rock, hard rock, and early heavy metal', 'Christian rock', 'Punk era', 'Punk rock', 'New wave', 'Post-punk', 'Heartland rock', 'Emergence of alternative rock', "German Music Authors' Prize", 'Iberian Festival Awards', 'ZD Awards', 'Berlin Monument Prize', 'Moscow Ticketing Awards', 'See also', 'Notes', 'References', 'Further reading'], ['See also', 'References', 'Further reading'], ['See also'], ['References', 'References'], ['Early life', 'Gameplay', 'Multiplayer', 'Plot', 'Development', 'Ports', 'Console version differences', 'Source code release', 'Film', 'Reception', 'Sales', 'Elements of the scientific method', 'Characterizations', 'Uncertainty', 'Definition', 'DNA-characterizations', 'Another example: precession of Mercury', 'Hypothesis development', 'DNA-hypotheses', 'Predictions from the hypothesis', 'DNA-predictions', 'Yámana', 'Noon Gun', 'Aboriginal Australians', 'Aviation', 'Notes', 'References'], ['History', 'Leadership upheaval amid harassment allegations', 'Administration', 'Fundraising and finances', 'Charity ratings', 'Slavery', 'Mane invasions (16th century)', '1600–1787', 'The Province of Freedom (1787–1789)', 'Conception of the Province of Freedom (1787)', 'Establishment, destruction and re-establishment (1789)', 'Freetown Colony (1792–1808)', 'Conception of the Freetown settlement (1791)', 'Settlement by Nova Scotians (1792)', 'Settlement by Jamaican Maroons and freed slaves-in-transit (1800)', 'Languages', 'Education', 'Regional disparities', 'Crime', 'Major cities', 'See also', 'Notes and references'], ['Oscillating cylinder steam engines', 'Rotary steam engines', 'Rocket type', 'Safety', 'Steam cycle', 'Efficiency', 'See also', 'Notes', 'References', 'Further reading', 'References'], ['Arts, entertainment, and media', 'Scooters', 'Motorized vehicles', 'Bus', 'Light rail', 'Subway', 'Airport and ports', 'City services', 'Emergency services', 'Internet services', 'Government', 'Seasons and overall records', 'Team records', 'Players of note', 'Current roster', '35th Anniversary Team (2010)', 'Retired numbers', 'Pro Football Hall of Famers', 'State of Washington Sports Hall of Fame', 'Front office and coaching staff', 'Current staff', 'See also', 'Overview', 'Single and double hulls', 'Pressure hull', 'Diesel-electric transmission', 'Snorkel', 'Air-independent propulsion', 'Nuclear power', 'Alternative', 'Armament', 'Sensors', 'Reception', 'Game Gear Micro', 'See also', 'Notes', 'References'], ['Language bindings', 'Supported back-ends', 'Reception and adoption', 'Video game examples using SDL', 'See also', 'References', 'Further reading'], ['Early life and education', 'Pantisocracy and marriage', 'Cambridge and Somerset', 'The West Midlands and the North', 'Later life and increasing drug use', 'Plot', 'Cast', 'Production', 'Development', 'Casting', 'Filming', 'Background', 'First World War', 'US entry and the Fourteen Points', 'Treaty of Brest-Litovsk, 1918', 'Armistice', 'Occupation', '2008 election', 'Democratisation and 2010 elections', 'See also', 'References'], ['Rituals', 'Physical cultivation', 'Society', 'Adherents', 'Art and poetry', 'Political aspects', 'Relations with other religions and philosophies', 'See also', 'References', 'Citations', 'Timeline', 'Discography', 'Selected song legacy', 'References', 'Notes', 'Bibliography', 'Further reading'], ['Recreational use', 'Bioremediation', 'References'], ['Against the Day', 'Inherent Vice', 'Bleeding Edge', 'Style', 'Themes', 'Influence', 'Precursors', 'Legacy', 'Media scrutiny of private life', '1970s and 1980s', 'Early life', 'Marriage', 'Empress', 'Regency', 'Current editions', 'Previous editions', 'Complete volumes', 'Fascicles', 'Pre-fascicles', 'See also', 'References'], ['Germs film and reformation (2007–present)', 'Members', 'Discography', 'Studio albums', 'Singles and EPs', 'Live albums', 'Compilation albums', 'Compilation album appearances', 'Soundtrack appearances', 'References', 'Molecular and crystal structure', 'Reactions', 'Etymology', 'See also', 'References'], ['See also', 'References', 'Bibliography'], ['Challenge', 'Ubiquitin-like modifiers', 'Prokaryotic ubiquitin-like protein (Pup) and ubiquitin bacterial (UBact)', 'Human proteins containing ubiquitin domain', 'Related proteins', 'Prediction of ubiquitination', 'See also', 'References'], ['History', 'Before 1945', 'Establishment', 'French Indochina War', 'Vietnam War', 'Lithuanian', 'Celtic languages', 'Goidelic languages', 'Irish', 'Scottish Gaelic', 'Manx', 'Brythonic languages', 'Welsh', 'Germanic languages', 'English', 'Other development efforts', 'Influence', 'OpenVMS vocabulary', 'See also', 'References', 'Further reading'], []]



['Wikipedia: Robert Falcon Scott', 'Wikipedia: Red Faction (video game)', 'Wikipedia: Serendipity', 'Wikipedia: Politics of Switzerland', 'Wikipedia: Satan', 'Wikipedia: Session', 'Wikipedia: Shaka', 'Wikipedia: Seattle University', 'Wikipedia: Torr', 'Wikipedia: Tom Waits', 'Wikipedia: TRN', 'Wikipedia: Transformer', 'Wikipedia: Thomas Gainsborough', 'Wikipedia: Tapas', 'Wikipedia: Thuggee', 'Wikipedia: Ulfilas', 'Wikipedia: Victoria Woodhull']
[['Charlotte Mason', 'Essentialism', 'William Chandler Bagley', 'Social reconstructionism and critical pedagogy', 'George Counts', 'Maria Montessori', 'Waldorf', 'Rudolf Steiner', 'Democratic education', 'A. S. Neill', 'American quilts', 'African-American quilts', 'Amish quilts', 'Native American quilts', 'Hawaiian quilting', 'South Asian quilting', 'Swedish quilting', 'Art quilting', 'Modern quilting', 'Quilting in fashion and design', 'Alternative', 'Grunge', 'Britpop', 'Post-grunge', 'Pop punk', 'Indie rock', 'Alternative metal, rap rock and nu metal', 'Post-Britpop', '2000s–present', 'Post-hardcore and emo', 'Early life', 'Family', 'Early naval career', '1940–1956: Early life', '1957–1961: First bands', '1962–1970: The Beatles', 'Replacing Best', 'Worldwide success', 'Studio years', 'Solo career', '1970s', '1980s', 'Role', 'History', 'Earlier fleets', 'Age of Sail', 'World Wars', 'Since 1945', 'Post-Cold War', 'Royal Navy today', 'Personnel', 'Surface fleet', 'Career', '1980s–2000s: Transition into feature films', '2013–2018: House of Cards', 'Further film work', 'Personal life', 'Philanthropy and activism', 'Filmography', 'Film', 'Television', 'Awards and nominations', 'Reviews', 'Controversy', 'Awards', 'Sequels', 'References'], ['Another example: general relativity', 'Experiments', 'DNA-experiments', 'Evaluation and improvement', 'DNA-iterations', 'Confirmation', 'Models of scientific inquiry', 'Classical model', 'Hypothetico-deductive model', 'Pragmatic model', 'Etymology', 'Applications', 'Inventions', 'Discoveries', 'Online activity', 'Related terms', 'Criminal attacks and plots against the SPLC', 'Notable SPLC civil cases on behalf of clients', 'Sims v. Amos (1974)', 'Brown v. Invisible Empire, KKK (1980)', 'Vietnamese fishermen (1981)', 'Person v. Carolina Knights of the Ku Klux Klan (1982)', 'United Klans of America', 'White Aryan Resistance', 'Church of the Creator', 'Christian Knights of the KKK', 'Slave trade outlawed', 'Colonial era (1808–1961)', 'Establishment of the British Crown Colony (1808)', 'Intervention and acquisition of the hinterland (1800s–1895)', 'Establishment of the British Protectorate and further land acquisition (1895)', 'Hut Tax War – Temne and Mende uprisings (1898)', 'Creole dissent in the high colonial period (1898–1956)', 'Sierra Leone in World War II', '1960 Independence Conference', 'Opposition to the SLPP government', 'Direct representation', 'Federal level', 'Executive branch', 'Legislative branch', 'Political parties and elections'], ['Historical development', 'Hebrew Bible', 'See also', 'Bureaucracy', 'Computing', 'Representation', 'Politics', 'Economy', 'Top employers', 'Sport', 'In popular culture', 'Film and television', 'Films', 'Television', 'Literature', 'Previous head coaches', 'Sea Gals (cheerleaders)', '12th Man', 'Traditions', 'Team owners', 'Radio and television', 'Radio affiliates', 'Washington', 'Alaska', 'Idaho', 'Successor to Senzangakhona', 'Expansion of power and conflict with Zwide', 'Death and succession', 'Social and military revolution', 'Weapons changes', 'Navigation', 'Communication', 'Life support systems', 'Crew', 'Women', 'Abandoning the vessel', 'See also', 'By country', 'References', 'Bibliography', 'History', 'Development', 'Pre-launch promotion, release, and marketing', 'Decline', 'Sega Neptune', 'Technical aspects and specifications', 'Game library', 'History', 'Campus', 'Lemieux Library', 'Academics', 'Albers School of Business and Economics', 'Travel and The Friend', 'London: final years and death', 'Remains', 'Poetry', 'The Rime of the Ancient Mariner, Christabel, and Kubla Khan', 'The Conversation poems', 'Literary criticism', 'Biographia Literaria', 'Coleridge and the influence of the Gothic', 'Religious beliefs', 'Post-production', 'Release', 'Reception', 'Critical response', 'Cultural impact', 'Themes and analysis', 'Contemporary American life', 'Violence against women', 'Vegetarianism', 'Post-release', 'Blockade', 'Negotiations', 'French aims', 'British aims', 'American aims', 'Italian aims', 'Treaty content and signing', 'Territorial changes', 'Mandates', 'Military restrictions', 'Climate', 'Geology', 'Facts', 'See also', 'References', 'Sources', 'Sources', 'Further reading'], ['Biography', 'Childhood: 1949–1971', 'Early musical career: 1972–1976', 'Small Change and Foreign Affairs: 1976–1978', 'Blue Valentine and Heartattack and Vine: 1978–1980', 'Examples', 'Reception', 'References', '1990s', '2000s', 'List of works', 'References', 'Further reading'], ['Issue', 'References', 'Sources'], ['History', 'Origin', 'Spain', 'Common Spanish tapas', 'Similar styles in other countries', 'Further reading'], ['Modus operandi', 'Chemistry', 'Solubility', 'Biochemistry', 'Genetic and physiological diversity', 'Genetics', 'Clinical significance and research', 'High uric acid', 'Introduction', 'Wave mechanics interpretation', 'Matrix mechanics interpretation', 'Heisenberg limit', 'Robertson–Schrödinger uncertainty relations', 'Mixed states', 'The Maccone–Pati uncertainty relations', 'Phase space', 'Examples', 'Biography', 'Historical sources', 'Creed of Ulfilas', 'Honours', 'Sino-Vietnamese conflicts (1975–1990)', 'Modern deployment', 'International presence', 'Organisation', 'Service branches', "Vietnam People's Ground Forces", 'Structure', 'Military regions', 'Main force', 'Local forces', 'German dialects', 'Icelandic', 'Norwegian', 'Greek', 'Indo-Iranian languages', 'Kurdish', 'Sanskrit', 'Slavic languages', 'Bulgarian', 'Czech', 'Early life and education', 'Marriages', 'First marriage and family', 'Second marriage', 'Free love', 'Prostitution rumors and stance']]



['Wikipedia: Rhea', 'Wikipedia: Samuel Morse', 'Wikipedia: Sikhism', 'Wikipedia: The Saint (Simon Templar)', 'Wikipedia: Second Epistle to the Thessalonians', 'Wikipedia: Severan dynasty', 'Wikipedia: The Big Lebowski', 'Wikipedia: Demographics of Tonga', 'Wikipedia: The Great Divorce', 'Wikipedia: Unified Modeling Language']
[['Progressivism', 'Jean Piaget', 'Jerome Bruner', 'Unschooling', 'John Holt', 'Contemplative education', 'Professional organizations and associations', 'See also', 'References', 'Further reading', 'Quilt blocks', 'Types and equipment', 'Specialty styles', 'See also', 'References', 'Further reading'], ['Garage rock/post-punk revival', 'Digital electronic rock', 'Mainstream decline (2010s)', 'Effects of COVID-19 on the rock scene', 'Social impact', 'Role of women', 'See also', 'Notes', 'References', 'Further reading and listening', 'Discovery expedition, 1901–1904', 'Between expeditions', 'Popular hero', 'Dispute with Shackleton', 'Marriage', 'Terra Nova expedition, 1910–1912', 'Preparation', 'First season', 'Journey to the Pole', 'Last march', '1990s', '2000s', '2010s', 'Musicianship', 'Influences', 'Drums', 'Vocals', 'Songwriting', 'Personal life', 'Awards and honours', 'Amphibious warfare', 'Aircraft carriers', 'Escort fleet', 'Mine Countermeasure Vessels (MCMV)', 'Offshore Patrol Vessels (OPV)', 'Ocean survey ships', 'Royal Fleet Auxiliary', 'Submarine Service', 'Ballistic Missile Submarines (SSBN)', 'Fleet Submarines (SSN)', 'See also', 'References'], ['Gameplay', 'Plot', 'Development', 'Reception', 'Sequels', 'References'], ['Science of complex systems', 'Communication and community', 'Peer review evaluation', 'Documentation and replication', 'Archiving', 'Data sharing', 'Limitations', 'Philosophy and sociology of science', 'Analytical philosophy', 'Post-modernism and science wars', 'See also', 'Notes', 'References', 'Further reading'], ['Aryan Nations', 'Ten Commandments monument', 'Leiva v. Ranch Rescue', 'Billy Ray Johnson', 'Imperial Klans of America', 'Mississippi correctional institutions', 'Polk County, Florida Sheriff', 'Andrew Anglin and The Daily Stormer', 'Lawsuits and criticism against the SPLC', 'Projects and publishing platforms', 'Early independence (1961–1968)', 'Sir Milton Margai Administration (1961–1964)', 'Sir Albert Administration (1964–1967)', 'Three Military Coups (1967–1968)', 'Stevens government and one-party state (1968–1985)', 'Momoh government and RUF Rebelion (1985–1991)', 'Civil War (1991–2002)', 'NPRC Junta (1992–1996)', 'Return to civilian rule and first Kabbah Presidency (1996–1997)', 'AFRC junta (1997–1998)', 'Judicial branch', 'Cantonal level', 'Political conditions', 'Foreign relations', 'Energy politics', 'See also', 'Notes and References', 'Bibliography'], ['Book of Job', 'Book of Zechariah', 'Second Temple period', 'Judaism', 'Christianity', 'Names', 'New Testament', 'Gospels, Acts, and epistles', 'Book of Revelation', 'Patristic era', 'Music', 'Contexts', 'Works', 'Other uses in music', 'Other uses', 'See also', 'Music', 'Video games', 'Notable people', 'Sister cities', 'See also', 'References'], ['Montana', 'Oregon', 'British Columbia', 'Notes and references'], ['Mobility of the army', 'Logistic support by youths', 'Age-grade regimental system', '"Bull horn" formation', 'Shakan methods versus European technology', 'Creator of a revolutionary warfare style', 'As borrower not innovator', 'Scholarship studies', 'Biographical sources', 'The Mfecane'], ['Composition', 'Support for authenticity', 'Reception and legacy', 'See also', 'Notes', 'References', 'College of Arts and Sciences', 'Matteo Ricci College', 'School of Law', 'College of Nursing', 'College of Education', 'College of Science & Engineering', 'School of Theology & Ministry', 'Environmental sustainability', 'Athletics', 'Notable alumni', 'Theological legacy', 'Political thinking', 'Collected works', 'See also', 'References', 'Further reading'], ['See also', 'Notes', 'References', 'Sources', 'Further reading'], ['Reparations', 'Guarantees', 'International organizations', 'Reactions', 'Britain', 'Status of British Dominions', 'France', 'Italy', 'Portugal', 'United States', 'Population history', 'References', 'Nomenclature and common errors', 'History', 'Manometric units of pressure', 'Conversion factors', 'See also', 'References'], ['Swordfishtrombones and New York City: 1980–1984', 'Rain Dogs and Franks Wild Years: 1985–1988', 'The Black Rider, Bone Machine, and Alice: 1989–1998', 'Mule Variations and Woyzeck: 1999–2003', 'Real Gone and later work: 2004–', 'Bad as Me: 2011–', 'Musical style', 'Personal life', 'Stage persona', 'Reception and legacy', 'See also', 'Sources', 'Principles', 'Ideal transformer', 'Real transformer', 'Deviations from ideal transformer', 'Leakage flux', 'Equivalent circuit', 'Transformer EMF equation', 'Youth and training', 'Career', 'Suffolk', 'Bath', 'London', 'Technique', 'Reputation', 'Popular culture', 'Gallery', 'North America and the United Kingdom', 'Mexico', 'Philippines', 'Argentina & Uruguay', 'Brazil', 'Venetian cicchetti', 'Others', 'See also', 'References'], ['History', 'British suppression', 'Aftermath', 'Thug view', 'Sects', 'Colonial British view', 'Dispute and skepticism', 'In popular culture', 'References', 'Bibliography', 'Gout', 'Tumor lysis syndrome', 'Lesch–Nyhan syndrome', 'Cardiovascular disease', 'Type 2 diabetes', 'Uric acid stone formation', 'Low uric acid', 'Multiple sclerosis', 'Normalizing low uric acid', 'See also', 'Energy–time uncertainty principle', 'A counterexample', 'Quantum harmonic oscillator stationary states', 'Quantum harmonic oscillators with Gaussian initial condition', 'Coherent states', 'Particle in a box', 'Constant momentum', 'Additional uncertainty relations', 'Systematic and statistical errors', 'Quantum entropic uncertainty principle', 'See also', 'Notes and references', 'Bibliography'], ["Vietnam People's Navy", "Vietnam People's Air Force", 'Vietnam Border Defence Force', 'Vietnam Coast Guard', 'Ranks and insignia', 'Equipment', 'Notes', 'Footnotes', 'Citations', 'References', 'Polish', 'Russian', 'Historic vocative', 'New vocative', 'Serbo-Croatian', 'Slovak', 'Ukrainian', 'Latin', 'Romance languages', 'West Iberian languages', 'Religious shift and repudiation of free love', 'Careers', 'Stockbroker', 'Newspaper editor', "Women's rights advocate", 'First International', 'Presidential candidate', 'Life in England and third marriage', 'Views on abortion and eugenics', 'Legacy and honors']]



['Wikipedia: Personality psychology', 'Wikipedia: Qt (software)', 'Wikipedia: Retronym', 'Wikipedia: Ragnar Frisch', 'Wikipedia: Economy of Switzerland', 'Wikipedia: Shot put', 'Wikipedia: Seattle Colleges District', 'Wikipedia: Spica', 'Wikipedia: Politics of Tonga', 'Wikipedia: Trigonometric functions', 'Wikipedia: Temporomandibular joint dysfunction', 'Wikipedia: Trust Territory of the Pacific Islands', 'Wikipedia: Toledo, Spain', 'Wikipedia: Tape-out', 'Wikipedia: Supreme Court of the United States', 'Wikipedia: Foreign relations of Vietnam']
[[], ['Philosophical assumptions', 'Personality theories', 'Purposes and abilities', 'Qt releases', 'Qt in use', 'Desktop UIs', 'Embedded and mobile UIs', 'Applications using Qt'], ['Examples', 'Etymology', 'Reputation', 'Recognition', 'Modern reactions', 'See also', 'References', 'Footnotes', 'Bibliography', 'Online'], ['Film career', 'Discography', 'Books', 'Notes', 'References', 'Sources', 'Further reading'], ['Fleet Air Arm', 'Royal Marines', 'Naval bases', 'Bases in the United Kingdom', 'Bases abroad', 'Current deployments', 'Command, control and organisation', 'Organisation', 'Locations', 'Titles and naming', 'Mythology', 'Science and technology', 'Places', 'Music', 'Ships', 'People', 'Given name', 'Surname', 'Fictional characters', 'Zoology', 'Biography', 'Family and education', 'Early career and further education', 'Anthropology and sociology', 'Role of chance in discovery', 'Relationship with mathematics', 'Relationship with statistics', 'See also', 'Problems and issues', 'History, philosophy, sociology', 'Notes', 'References', 'Further reading', 'Personal life', 'Painting', 'Attributed artworks', 'Telegraph', 'Relays', 'Federal support', 'Patent', 'Political views', 'Hate Map', 'Classifications and listings of hate groups', 'SPLC Hatewatch (blog)', 'Teaching Tolerance', 'Documentaries', 'Cooperation with law enforcement', 'Intelligence Report', 'Notable publications and media coverage on the SPLC', 'Notes', 'References', "President Kabbah's return and the end of civil war (1998–2001)", '2002 to present', 'Kabbah re-elected (2002–2007)', "Koroma's government (2007–present)", 'See also', 'Sources', 'Notes', 'Further reading'], ['History', '19th century', '20th century', '2000s', 'Middle Ages', 'Early modern period', 'Modern era', 'Islam', 'Quran', 'Islamic tradition', 'Affiliation', 'Other traditions', "Bahá'í Faith", 'Satanism', 'Terminology', 'Philosophy and teachings', 'Concept of life', 'Worldly illusion', 'Timeless truth', 'Liberation', 'Power and devotion (Shakti and Bhakti)', 'History', 'Legal throws', 'Regulation misconceptions', 'Competition', 'Weight', 'Putting styles', 'Overview', 'Publishing history', 'In film', 'On television', 'Films', 'Television films', 'Television series', 'Note', 'History and legacy', 'Disruptions of the Mfecane', 'Physical descriptions', 'In Zulu culture', 'Legacy', 'Popular culture', 'See also', 'References', 'Notes', 'Citations', 'Opposition to authenticity', 'Background', 'Content', 'See also', 'Notes', 'References'], ['History', 'Septimius Severus (193–211)', 'Caracalla (198–217)', 'Geta (209–211)', 'Interlude: Macrinus (217–218)', 'Elagabalus (218–222)', 'Alexander Severus (222–235)', 'Women of the Severan dynasty', 'Dynastic timeline', 'Notes'], ['Leadership and Governance', 'Observational history', 'Observation', 'Physical properties', 'Nomenclature', 'In culture', 'References', 'Plot', 'Cast', 'Production', 'Development', 'Screenplay', 'Pre-production', 'Principal photography', "House's views", 'China', 'Germany', 'Japan', 'Implementation', 'Rhineland occupation', 'Violations', 'Military', 'Territorial', 'Historical assessments', 'Executive', 'Legislature', 'Political parties and elections', '2010 General election', 'By-elections', 'Courts', 'Right-angled triangle definitions', 'Radians versus degrees', 'Unit-circle definitions', 'Algebraic values', 'Simple algebraic values', 'In calculus', 'Discography', 'Tours', 'Filmography', 'References', 'Footnotes', 'Bibliography', 'Further reading'], ['Plot summary', 'Stage adaptation', 'Motion picture', 'References'], ['Polarity', 'Effect of frequency', 'Energy losses', 'Construction', 'Cores', 'Laminated steel cores', 'Solid cores', 'Toroidal cores', 'Air cores', 'Windings', 'See also', 'References', 'Further reading'], ['Coat of arms', 'History', 'Antiquity'], ['History', 'Procedures involved', 'References'], ['History', 'The Efimov inequality by  Pauli matrices', 'Harmonic analysis', 'Signal processing', 'DFT-Uncertainty principle', "Benedicks's theorem", "Hardy's uncertainty principle", 'History', 'Terminology and translation', "Heisenberg's microscope", 'Critical reactions', 'Harmful effects', 'Skin damage', 'Sunscreen safety debate', 'Aggravation of certain skin conditions', 'Eye damage', 'Degradation of polymers, pigments and dyes', 'Applications', 'Photography', 'Electrical and electronics industry', 'Fluorescent dye uses', 'History', 'Before UML 1.0', 'UML 1.x', 'Cardinality notation', 'UML 2', 'Design', 'Software development methods', 'Modeling', 'Diagrams'], ['History', 'Feudal Vietnam', 'Catalan', 'French', 'Romanian', 'Venetian', 'Arabic', 'Mandarin', 'Georgian', 'Korean', 'References']]



['Wikipedia: Rush Limbaugh', 'Wikipedia: Raymond Chandler', 'Wikipedia: Rn (newsreader)', 'Wikipedia: Radius (disambiguation)', 'Wikipedia: Shotgun', 'Wikipedia: Sexism', 'Wikipedia: Geography of Sierra Leone', 'Wikipedia: Sinusitis', 'Wikipedia: Poetry slam', 'Wikipedia: Sega CD', 'Wikipedia: Summer of Love', 'Wikipedia: Stuart Little', 'Wikipedia: Telecommunications in Tonga', 'Wikipedia: Thomas Abel', 'Wikipedia: Treaty of Cahuenga', 'Wikipedia: Velodrome']
[['Type theories', 'Psychoanalytical theories', 'Behaviorist theories', 'Social cognitive theories', 'Humanistic theories', 'Biopsychological theories', 'Genetic basis of personality', 'Evolutionary theory', 'Drive theories', 'Personality tests', 'Organizations using Qt', 'Qt software architecture', 'Qt concepts', 'Qt modules', 'Qt essentials', 'Qt add-ons', 'Editions', 'Supported platforms', 'Licensing', 'Qt tools', 'See also', 'References', 'Early life', 'Biography', 'Early life', 'As a writer', 'Later life and death', 'Features', 'History', 'See also', 'References'], ['Of the Navy', 'Of ships', 'Ranks, rates, and insignia', 'Custom and tradition', 'Traditions', '"Jackspeak"', 'Navy Cadets', 'In popular culture', 'See also', 'Notes', 'See also', 'People', 'Arts, entertainment, and media', 'Later career', 'Family', 'Work', 'Selected publications', 'References', 'Further reading'], [], ['Characteristics', 'Uses', 'Anti-Catholic', 'Pro-slavery', 'Later years', 'Litigation over telegraph patent', 'Foreign recognition', 'Transatlantic cable', 'Last years and death', 'Honors and awards', 'Patents', 'See also', 'Bibliography', 'Further reading'], ['Physical geography', 'Geology', 'Extreme points', 'Climate', 'Data', 'Economic sectors', 'Watches', 'Industrial sector', 'Agriculture', 'Trade', 'Tourism', 'Banking and finance', 'Connection to illegal activities', 'Workforce', 'Theistic Satanism', 'Atheistic Satanism', 'Allegations of worship', 'In culture', 'In literature', 'In visual art', 'In film and television', 'In music', 'See also', 'Notes', 'Singing and music', 'Remembrance of the divine name', 'Service and action', 'Justice and equality', 'Ten Gurus and authority', 'Scripture', 'Adi Granth', 'Guru Granth Sahib', 'Compilation', 'Language and script', 'Glide', 'Spin', 'Usage', 'Types of shots', 'World records', 'Continental records', 'All-time top 25 shot putters', 'Men', 'Notes', 'Women', 'On the stage', 'In comics', 'In magazines', 'Book series', 'Omnibus editions', 'French adventures', 'Unpublished works', 'In popular culture', 'See also', 'References', 'Sources', 'Further reading'], ['History', 'Format', 'Competition types', 'Poem', 'Criticism', 'Academia', 'See also', 'References', 'Bibliography', 'Further reading'], ['Chancellors Since 2000', 'Programs of Study', 'See also', 'References'], ['Background', 'Plot', 'Reception', 'Architecture', 'Soundtrack', 'Reception', 'Box office', 'Critical response', 'Legacy', 'Use as social and political analysis', 'Home media', 'Related media', 'See also', 'Military terms and violations', 'Rise of the Nazis', 'See also', 'Notes', 'Footnotes', 'Citations', 'References', 'Further reading'], ['Administrative divisions', 'See also', 'References'], ['Definition by differential equations', 'Power series expansion', 'Infinite product expansion', "Relationship to exponential function (Euler's formula)", 'Definitions using functional equations', 'In the complex plane', 'Basic identities', 'Parity', 'Periods', 'Pythagorean identity', 'Veneration', 'References', 'Classification', 'Definitions and terminology', 'By cause and symptoms', 'By duration', 'Signs and symptoms', 'Causes', 'Disc displacement', 'Degenerative joint disease', 'Cooling', 'Insulation', 'Bushings', 'Classification parameters', 'Applications', 'History', 'Discovery of induction', 'Induction coils', 'First alternating current transformers', 'Early series circuit transformer distribution', 'History', 'Geography', 'Demographics', 'Education', 'Current status', 'Sovereign states in free association with the United States', 'Commonwealth in political union with the United States', 'See also', 'References', 'Visigothic Toledo', 'Toledo under Moorish rule', 'Medieval Toledo after the Reconquista', 'Modern era', 'Climate', 'Economy', 'Unemployment', 'Politics', 'Culture', 'Toledo steel', 'Naming issues', 'Miscellaneous', 'See also', 'References', 'Earliest beginnings through Marshall', 'From Taney to Taft', 'New Deal era', 'Warren and Burger', 'Rehnquist and Roberts', 'Composition', 'Size of the court', 'Appointment and confirmation', 'Recess appointments', 'Tenure', 'The ideal of the detached observer', "Einstein's slit", "Einstein's box", 'EPR paradox for entangled particles', "Popper's criticism", 'Many-worlds uncertainty', 'Free will', 'Thermodynamics', 'See also', 'Notes', 'Analytic uses', 'Forensics', 'Enhancing contrast of ink', 'Sanitary compliance', 'Chemistry', 'Material science uses', 'Fire detection', 'Photolithography', 'Polymers', 'Biology-related uses', 'Structure diagrams', 'Behavior diagrams', 'Interaction diagrams', 'Metamodeling', 'Adoption', 'See also', 'References', 'Further reading'], ['Post-World War II', 'Cold War Era', 'Vietnam War', 'Reform (Đổi Mới)', 'Current issues', 'International relations', 'Africa', 'Americas', 'Asia', 'Europe', 'History', 'Technical aspects', 'Bicycles and track design', 'Track markings']]



['Wikipedia: Pronoun', 'Wikipedia: Rolf Ekéus', 'Wikipedia: RN', 'Wikipedia: Richard Butler', 'Wikipedia: Rennet', 'Wikipedia: Ship', 'Wikipedia: Demographics of Sierra Leone', 'Wikipedia: Structured programming', 'Wikipedia: Stuttering', 'Wikipedia: The Rock (film)', 'Wikipedia: Mort', 'Wikipedia: The Year of Living Dangerously (film)', 'Wikipedia: Theobromine', 'Wikipedia: The Fall (band)', 'Wikipedia: UKP', 'Wikipedia: UML', 'Wikipedia: Victoria, British Columbia', 'Wikipedia: Sildenafil']
[['Personality theory assessment criteria', 'Methods measuring inner experience', 'See also', 'References', 'Further reading'], ['History of Qt', 'Early developments', 'Becoming free software–friendly', 'Acquisition by Nokia', 'Merging and demerging with Digia', 'The Qt Project and open governance', 'Qt contributors', 'See also', 'Bibliography', 'References', 'Career', '1971–1988: Early radio career', '1988–1990s: WABC New York City and syndication', '2000s', '2010s', 'The Rush Limbaugh Show', 'Television show', 'Other media appearances', 'Views', 'Minorities', 'Views on pulp fiction', 'Critical reception', 'In popular culture', 'Works', 'References', 'Sources', 'Further reading'], ['References'], ['References', 'Bibliography'], ['Video clips', 'Fictional entities', 'Film', 'Music', 'Companies', 'Mathematics', 'Science and technology', 'Molecular action of rennet enzymes', 'Extraction of calf rennet', 'Traditional method', 'Modern method', 'Alternative sources', 'Vegetable', 'Sporting', 'Hunting', 'Law enforcement', 'Military', 'Home and personal defense', 'Design features for various uses', 'Types', 'History', '19th century', 'Hammerless shotguns', 'Notes', 'Citations', 'References', 'Further reading'], ['Etymology and definitions', 'History', 'Ancient world', 'Witch hunts and trials', 'Coverture and other marriage regulations', 'Suffrage and politics', 'Menus', 'Gender stereotypes', 'In language', 'Sexist and gender-neutral language', 'Environment issues', 'General information', 'See also', 'References', 'Income and wealth distribution', 'Economic policy', 'Terrorism', 'European Union', 'Institutional membership', 'International comparison', 'Regional disparities', 'See also', 'Notes and references', 'Notes', 'References', 'Bibliography'], ['Teachings', 'As Guru', 'Relation to Hinduism and Islam', 'Dasam Granth', 'Janamsakhis', 'Observances', 'Sikh festivals/events', 'Ceremonies and customs', 'Initiation and the Khalsa', 'History', 'Annulled', 'Olympic medalists', 'World Championship medalists', 'World Indoor Championships medalists', "Season's bests", 'See also', 'Notes and references'], [], ['Characteristics', 'Common behaviors', 'Signs and symptoms', 'Chronic', 'By location', 'Complications', 'Causes', 'Acute', 'Pathophysiology', 'Diagnosis', 'Classification', 'Treatment', 'Youth movement', 'In Egypt', 'In Japan', 'See also', 'References', 'Bibliography'], ['History', 'Background', 'Development', 'Launch', 'Night Trap controversy', 'Decline', 'Technical specifications', 'Variations', 'Background', 'Culture of San Francisco', 'Human Be-In and inspiration', 'Planning', 'Beginning', 'Youth arrivals', 'Popularization', '"San Francisco (Be Sure to Wear Flowers in Your Hair)"', 'Adaptations', 'Audio', 'Films', 'Television', 'Video games', 'See also', 'Notes', 'References'], ['Notes', 'References', 'Bibliography'], ['Plot summary', 'Adaptations', 'Canceled Adaptation', 'References', 'Telephone', 'Radio', 'Television', 'Internet', 'Newspapers', 'Notes', 'Sum and difference formulas', 'Derivatives and antiderivatives', 'Inverse functions', 'Applications', 'Angles and sides of a triangle', 'Law of sines', 'Law of cosines', 'Law of tangents', 'Law of cotangents', 'Periodic functions', 'Plot', 'Cast', 'Production', 'Development', 'Casting', 'Filming', 'Psychosocial factors', 'Bruxism', 'Trauma', 'Occlusal factors', 'Genetic factors', 'Hormonal factors', 'Possible associations', 'Pathophysiology', 'Anatomy and physiology', 'Temporomandibular joints', 'Closed-core transformers and parallel power distribution', 'Westinghouse improvements', 'Other early transformer designs', 'See also', 'Notes', 'References', 'Bibliography'], [], ['Sources', 'Biosynthesis', 'Gastronomy', 'Holidays', 'Main sights', 'Infrastructure', 'Roads', 'Rail', 'Health', 'Sport', 'Media', 'International relations', 'Events leading to the agreement', 'Historical re-enactment', 'See also', 'References'], ['Membership', 'Current justices', 'Length of tenure', 'Court demographics', 'Retired justices', 'Seniority and seating', 'Salary', 'Judicial leanings', 'Facilities', 'Jurisdiction', 'References'], ['All article disambiguation pages', 'Air purification', 'Sterilization and disinfection', 'Biological', 'Therapy', 'Herpetology', 'Evolutionary significance', 'See also', 'References', 'Further reading'], ['See also', 'Oceania', 'See also', 'References'], ['Track construction', 'Race formats', 'See also', 'References'], []]



['Wikipedia: QuakeC', 'Wikipedia: Rosaceae', 'Wikipedia: Robert Menzies', 'Wikipedia: Rotary', 'Wikipedia: Telecommunications in Switzerland', 'Wikipedia: Stan Kelly-Bootle', 'Wikipedia: Sestina', 'Wikipedia: Sega Pico', 'Wikipedia: Statite', 'Wikipedia: Tim Berners-Lee', 'Wikipedia: Transport in Tonga', "Wikipedia: His Majesty's Armed Forces (Tonga)", 'Wikipedia: Thermochemistry', 'Wikipedia: Transubstantiation', 'Wikipedia: Tristan da Cunha', 'Wikipedia: U-boat', 'Wikipedia: Umberto Eco', 'Wikipedia: United States Military Academy']
[['Theoretical considerations', 'In grammar', 'In linguistics', 'Binding theory and antecedents', 'Binding cross-linguistically', 'Antecedents', 'Inventory of English pronouns'], ['Overview', 'Limitations and subsequent solutions', 'Sexual consent', 'Drug policy', 'Environmental issues', 'Feminism', 'Middle East', 'Trade', 'Barack Obama', 'Donald Trump', 'Alleging false flag attacks', 'Controversies and inaccuracies', 'Distribution', 'Historical taxonomy', 'Phylogeny', 'Amygdaloideae basal', 'Dryadoideae basal', 'Early life', 'Birth and family background', 'Childhood', 'University', 'Places', 'Politics', 'Science and technology', 'Other', 'Military', 'Politicians', 'Musicians', 'Others', 'Microbial', 'Fermentation-produced chymosin', 'Nonrennet coagulation', 'See also', 'References', 'Footnotes', 'Bibliography'], ['John Moses Browning', 'World wars', 'Late 20th century to present', 'Design factors', 'Action', 'Break-action', 'Pump-action', 'Lever-action', 'Bolt-action', 'Revolver', 'Nomenclature', 'Pronouns', 'History', 'Prehistory and antiquity', 'Asian developments', 'Mediterranean developments', '14th through the 18th centuries', 'European developments', 'Sexism in languages other than English', 'Gender-specific pejorative terms', 'Occupational sexism', 'Gap in hiring', 'Earnings gap', 'Causes for wage discrimination', 'Glass ceiling effect', 'Potential remedies', 'Weight-based sexism', 'Transgender discrimination', 'Population', 'Vital statistics', 'Fertility and Births', 'Life expectancy', 'Other demographic statistics', 'Age structure', 'Median age', 'Birth rate', 'Death rate', 'References'], ['Telephones', 'Elements', 'Control structures', 'Subroutines', 'Blocks', 'Structured programming languages', 'History', 'Theoretical foundation', 'Debate', 'Outcome', 'Common deviations', 'Historical influences', 'Growth of Sikhism', 'Political advancement', 'Sikh confederacy and the rise of the Khalsa', 'Singh Sabha movement', 'Partition of India', 'Khalistan', 'Sikh people', 'Sikh sects', 'Sikh castes', 'Early life', 'Education', 'Folk singing career', 'Discography', 'Computing career', 'Variability', 'Feelings and attitudes', 'Fluency and disfluency', 'Causes', 'Mechanism', 'Physiology', 'Abnormal lateralization', 'Other anatomical differences', 'Dopamine', 'Diagnosis', 'Antibiotics', 'Corticosteroids', 'Surgery', 'Epidemiology', 'Research', 'See also', 'References'], ['History', 'English', 'Form', 'Effect', 'See also', 'Notes', 'Games', 'Reception and legacy', 'See also', 'Notes', 'References', 'Events', 'New York City', 'California', 'Use of drugs', 'Funeral and aftermath', 'Legacy', 'Second Summer of Love', '40th anniversary', '50th anniversary', 'See also', 'See also', 'References', 'Plot', 'Cast', 'Production', 'Controversy', 'Censorship', 'Iraqi chemical weapons program', 'Reception', 'Box office', 'Critical response'], ['Early life and education', 'Career and research', 'References'], ['History', 'Etymology', 'See also', 'Notes', 'References'], ['Music', 'Release', 'Home media', 'Reception', 'Box office', 'Critical reception', 'Accolades', 'See also', 'References'], ['Muscles of mastication', 'Mechanisms of symptoms', 'Joint noises', 'Pain', 'Myofascial pain', 'Referred TMD pain', 'Limitation of mandibular movement', 'Diagnosis', 'Diagnostic criteria', 'Medical imaging', 'History', 'Summary', 'Patristic period', 'Middle Ages', 'Reformation', 'Pharmacology', 'Effects', 'Humans', 'Animals', 'See also', 'References'], ['Twin towns - sister cities', 'See also', 'References'], ['History', 'Late 1970s: early years', '1980–1982: Classic line-up', '1983–1989: Brix Smith years', '1990–2000', '2001–2017: later years', 'Death of Mark E. Smith', 'Justices as circuit justices', 'Process', 'Case selection', 'Oral argument', 'Supreme Court bar', 'Decision', 'Published opinions', 'Citations to published opinions', 'Institutional powers and constraints', 'Law clerks', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'Early life and education', 'Career', 'Medieval aesthetics and philosophy 1954–1964', 'History', 'Colonial period, founding, and early years', 'After the Civil War', 'World War II and Cold War', 'Modern era', 'Campus', 'History', 'Early history (1770–1871)', 'Modern history (1871–present)', 'Geography', 'Topography', 'Climate', 'Neighbourhoods', 'Demographics', 'Ethnic origins', 'Medical uses', 'Sexual dysfunction', 'Antidepressant-associated sexual dysfunction', 'Pulmonary hypertension', "Raynaud's phenomenon", 'High-altitude pulmonary edema', 'Adverse effects', 'Interactions']]



['Wikipedia: Quad Cities', 'Wikipedia: List of Russian-language poets', 'Wikipedia: List of rulers of Japan', 'Wikipedia: Ryuichi Sakamoto', 'Wikipedia: Rabbit', 'Wikipedia: Transport in Switzerland', 'Wikipedia: Skewness', 'Wikipedia: Aos Sí', 'Wikipedia: Song', 'Wikipedia: Skyhooks (band)', 'Wikipedia: Stanford (disambiguation)', 'Wikipedia: Tourism', 'Wikipedia: The Legend of Zelda', 'Wikipedia: Thoinot Arbeau', 'Wikipedia: Thuringia']
[['Personal and possessive', 'Personal', 'Possessive', 'Reflexive and reciprocal', 'Demonstrative', 'Indefinite', 'Relative and interrogative', 'Relative', 'Interrogative', 'Archaic forms', 'Modified compilers and language extensions', 'Client Side QuakeC (CSQC)', 'See also', 'References'], ['Michael J. Fox', 'Phony soldiers', 'Sandra Fluke', 'COVID-19 pandemic', 'Charitable work', 'Leukemia and lymphoma telethon', 'Marine Corps–Law Enforcement Foundation', 'Tunnel to Towers Foundation', 'Published works', 'Personal life', 'Rosoideae basal', 'Characteristics', 'Leaves', 'Flowers', 'Fruits and seeds', 'Genera', 'Economic importance', 'Gallery', 'References'], ['Legal career', 'Career in Victorian state politics, 1928–1934', 'Early career in federal politics, 1934–1939', 'First period as prime minister, 1939–1941', 'Formation of Liberal Party and Return to Power', "Menzies's Forgotten People", 'Formation of the Liberal Party of Australia', '1949 election campaign', 'Second period as prime minister, 1949–1966', 'Cold War and national security', 'General', 'Engineering and technology', 'Organisations and enterprises', 'Roads', 'See also', 'Terminology', 'Taxonomy', 'Differences from hares', 'Domestication', 'Biology', 'Semi-automatic', 'Automatic', 'Other', 'Shot', 'Barrel length', 'Caliber conversion sleeves', 'Ammunition', 'Specialty ammunition', 'Hunting, defensive, and military', 'Less-lethal rounds, for riot and animal control', 'Specialization and modernization', '21st century', 'Types of ships', 'Inland vessels', 'Great Lakes', 'Merchant ship', 'Special purpose vessels', 'Naval vessels', 'Architecture', 'Hull', 'Objectification', 'In advertising', 'Pornography', 'Prostitution', 'Media portrayals', 'Sexist jokes', 'Gender identity discrimination', 'Oppositional sexism', 'Examples', 'Domestic violence', 'Total fertility rate', 'Population growth rate', "Mother's mean age at first birth", 'Contraceptive prevalence rate', 'Net migration rate', 'Dependency ratios', 'Sex ratio', 'Maternal Mortality Ratio', 'Life expectancy at birth', 'Urbanization', 'Radio and television', 'Internet', 'See also', 'Notes and references', 'Early exit', 'Exception handling', 'Multiple entry', 'State machines', 'See also', 'References', 'Citations', 'Sources'], ['Sikh diaspora', 'Prohibitions in Sikhism', 'See also', 'References', 'Notes', 'Citations', 'Further reading'], ['Writing career', 'Death', 'References'], ['Normal disfluency', 'Classification', 'Developmental', 'Neurogenic stuttering', 'Acquired stuttering', 'Treatment', 'Fluency shaping therapy', 'Modification therapy', 'Electronic fluency device', 'Mobile applications', 'In Gaelic folklore', 'The sídhe', 'Types', 'List', 'Creideamh Sí', 'References', 'Further reading'], ['Design and software', 'History', 'Advanced Pico Beena', 'See also', 'Notes', 'References'], ['References', 'Further reading'], ['Places', 'South Africa', 'United Kingdom', 'United States', 'Other uses', 'Accolades', 'Soundtrack', 'Abandoned sequel', 'See also', 'References'], ['Policy work', 'Awards and honours', 'Personal life', 'References', 'Further reading'], ['History', 'Components', 'Tongan Maritime Force (Tongan Navy)', 'Royal Tongan Marines', 'Tongan Royal Guards', 'Tongan Air Wing', 'Retired Aircraft', 'History', 'Calorimetry', 'Systems', 'Processes', 'See also', 'References'], ['Orchésographie and other work', 'Notes', 'Further reading', 'Plain radiography', 'Panoramic tomography', 'Computerised tomography (CT)', 'Magnetic resonance imaging (MRI)', 'Ultrasound', 'Management', 'Psychosocial and behavioral interventions', 'Devices', 'Medication', 'Physiotherapy', 'Council of Trent', 'Since the Second Vatican Council', 'Opinions of some individuals (not necessarily typical)', 'General belief and knowledge among Catholics', 'Theology', 'Catholic Church', 'Eastern Christianity', 'Protestantism', 'Anglicanism', 'Lutheranism', 'Etymology and symbols', 'History', 'Geography', 'Topography', 'Climate', 'Nature and environment', 'History', 'Discovery', '19th century', '20th century', '21st century', 'Geography', 'Climate', 'Flora and fauna', 'Invasive species', 'Posthumous projects', "Smith's vocal style and lyrics", 'Influence', 'Discography', 'Members', 'References', 'Bibliography'], ['Politicization of the Court', 'Criticism', 'Judicial activism', 'Failing to protect individual rights', 'Power excess', 'Courts are a poor check on executive power', 'Federal versus state power', 'Secretive proceedings', 'Judicial interference in political disputes', 'Not choosing enough cases to review', 'Early U-boats (1850–1914)', 'World War I (1914–1918)', 'Classes', 'Surrender of the fleet', 'Interwar years (1919–1939)', 'World War II (1939–1945)', 'Torpedoes', 'U-boat developments', 'Countermeasures', 'Early writings on semiotics and popular culture 1961–1964', 'Visual communication and semiological guerrilla warfare 1965–1975', "Name of the Rose and Foucault's Pendulum 1975–1988", 'Anthropology of the West and The Island of the Day Before 1988–2000', 'Later novels and writing 2000–2016', 'Influences and themes', 'Critical reception and legacy', 'Honors', 'Religious views', 'Personal life and death', 'Athletic facilities', 'West Point Museum', 'Administration', 'Academy leadership', 'Admission requirements', 'Curriculum', 'Academics', 'Military', 'Physical', 'Moral and ethical training', 'Population by ethnic origin', 'Visible minorities and Indigenous population', 'Social issues', 'Economy', 'Retail', 'Technology industry', 'Tourism', 'Culture', 'Attractions', 'Outside the city', 'Contraindications', 'Nonmedical use', 'Recreational use', 'Jet lag research', 'Sports', 'Analogs', 'Detection in biological fluids', 'Mechanism of action', 'Route of administration', 'Chemical synthesis']]



['Wikipedia: Ralph Nader', 'Wikipedia: Semiconductor device fabrication', 'Wikipedia: Structural isomer', 'Wikipedia: Star cluster', 'Wikipedia: Sega VR', 'Wikipedia: Solar sail', 'Wikipedia: London Eye', 'Wikipedia: Temple in Jerusalem', 'Wikipedia: Thomas Brackett Reed', 'Wikipedia: Telstra']
[['Kinship', 'Special uses of English pronouns', 'See also', 'General', 'Personal pronouns in various languages', 'In English', 'In other languages', 'Notes', 'References', 'Further reading', 'History', 'Early history', 'Evolution of an identity', '1980s–current', 'Proposed mergers', 'Geography', 'Demographics', 'Race and ethnicity', 'Prescription drug addiction', 'Viagra incident', 'Health problems', 'Influence and legacy', 'References', 'Citations', 'Sources', 'Further reading', 'Select bibliography'], ['Early life', 'Career', 'Early history', 'Foreign policy', 'Defence policy', 'Economic policy', 'Social reform', 'Immigration policy', 'Higher education expansion', 'Development of Canberra as a national capital', 'After politics', 'Personal life', 'Death and funeral', 'Alphabetical list', 'A', 'B', 'C', 'D', 'E', 'F', 'Career', '1970s', '1980s', '1990s', '2000s', '2010s–present', 'Production work', 'Film work', 'Evolution', 'Morphology', 'Hind limb elements', 'Musculature', 'Ears', 'Thermoregulation', 'Respiratory system', 'Digestion', 'Reproduction', 'Sleep', 'Novelty and other', 'Legal issues', 'Australia', 'Canada', 'United Kingdom', 'United States', 'See also', 'References'], ['Propulsion systems', 'Steering systems', 'Holds, compartments, and the superstructure', 'Equipment', 'Design considerations', 'Hydrostatics', 'Hydrodynamics', 'Lifecycle', 'Design', 'Construction', 'Gendercide and forced sterilization', 'Female genital mutilation', 'Sexual assault and treatment of victims', 'War rape', 'Reproductive rights', 'Child and forced marriage', 'Legal justice and regulations', 'Education', 'Fashion', 'Conscription', 'Education expenditures', 'Health expenditures', 'Physicians density', 'Hospital bed density', 'HIV/AIDS', 'Major infectious diseases', 'Nationality', 'Ethnic groups', 'Religions{{cite web|url=', 'Languages', 'Railways', 'Urban rail', 'Maglev', 'Mountain rail', 'Roads', 'Road passenger transport', 'Biking', 'Air transport', 'Water transport', 'Size', 'History', '20th century', '21st century', 'Skeletal isomerism', 'Position isomerism (regioisomerism)', 'Functional isomerism', 'Structural isotopomers', 'Structural equivalence and symmetry', 'Introduction', 'Relationship of mean and median', 'Definition', "Pearson's moment coefficient of skewness", 'Examples', 'Sample skewness', 'Applications', 'Other measures of skewness', "Pearson's first skewness coefficient (mode skewness)", 'Medications', 'Support', 'Psychological approach', 'Diaphragmatic breathing', 'Prognosis', 'Epidemiology', 'History', 'Society and culture', 'Bilingual stuttering', 'Identification', 'See also', 'References', 'Primary sources', 'Secondary sources', 'Tertiary Sources', 'Genres', 'Art songs', 'Folk songs', 'Sporting song', 'Lute song', 'Part song', 'Patter song', 'See also', 'References', 'Further reading', 'Features', 'Development', 'Games', 'Legacy', 'History', 'Early years', "Living in the 70's", 'Ego Is Not a Dirty Word', 'Later years to break-up', 'Reformations and later releases', 'After Skyhooks', 'Members', 'Timeline', 'Discography', 'See also', 'History of concept', 'Physical principles', 'Etymology', 'Basis', 'Significance of tourism', 'Definitions', 'World tourism statistics and rankings', 'Total volume of cross-border tourist travel', "World's top tourism destinations", 'Overview', 'Gameplay', 'Audio', 'Inspiration', 'Setting', 'Fictional chronology', 'Characters', 'International Defence Organisations', 'Ranks', 'List of commanders', 'Commander of the Tongan Defence Services', 'Chief of the Defence\xa0Staff of the HMAF', 'Equipment of the Tongan Defence Service', 'References'], ['History', 'Design and construction', 'Opening'], ['Etymology', 'First Temple', 'Occlusal adjustment', 'Surgery', 'Alternative medicine', 'Acupuncture', 'Chiropractic', 'Prognosis', 'Epidemiology', 'History', 'References', 'Reformed churches', 'Methodism', 'See also', 'References'], ['Demographics', 'Demographic history', 'Current population', 'Natural and spatial tendencies', 'Vital statistics', 'Cities, towns and villages', 'Religion', 'Politics', 'List of Ministers-President of Thuringia', 'October 2019 state election', 'Flora', 'Native plants', 'Introduced plants', 'Fauna', 'Land', 'Marine', 'Economy', 'Transport', 'Communications', 'Government', 'History', 'Overseas Telecommunications Commission', 'Privatisation', 'National Broadband Network', 'David Thodey era: 2010–2015', 'Lifetime tenure', 'Accepting gifts and outside income', 'See also', 'Landmark Supreme Court decisions (selection)', 'References', 'Bibliography', 'Further reading'], ['Enigma machine', 'Battle of Bell Island', 'Operation Deadlight', 'Memorial', 'Post–World War II and Cold War (after 1945)', 'See also', 'References', 'Further reading'], ['In popular culture', 'Selected bibliography', 'Novels', 'Non-fiction books', 'Anthologies', 'Books for children', 'Notes', 'References'], ['Cadet life', 'Rank and organization', 'Life in the corps', 'Activities', 'Athletics', 'Football', 'Other sports', 'Traditions', 'Cullum number', 'Class ring', 'Recreation', 'International Events', 'Sports teams', 'Infrastructure', 'Transportation', 'Air', 'Cycling', 'Ferries', 'Public transit', 'Rail', 'History', 'Society and culture', 'Marketing and sales', 'Counterfeits', 'Regional issues', 'European Union', 'United Kingdom', 'United States', 'Canada', 'India']]



['Wikipedia: Pelagianism', 'Wikipedia: Roman Polanski', 'Wikipedia: Saskatchewan', 'Wikipedia: Shiv Sena', 'Wikipedia: Politics of Sierra Leone', 'Wikipedia: Sir Gawain and the Green Knight', 'Wikipedia: Sega Saturn', 'Wikipedia: History of Trinidad and Tobago', 'Wikipedia: The Screwtape Letters', 'Wikipedia: Chief Justice of the United States', 'Wikipedia: UK (disambiguation)', 'Wikipedia: University of Southern California', 'Wikipedia: Voltaic pile']
[[], ['Background', 'Pelagian controversy', 'Religion', 'Landmarks', 'Noteworthy companies', 'Top employers', 'Notable people', 'Education', 'Colleges and universities', 'Culture', 'Media', 'Transportation', 'Early life', 'World War II', 'After the war', 'Unsafe at Any Speed', '"Nader\'s Raiders", Public Citizen and Center for Auto Safety', '1970s–1990s', 'Presidential campaigns', '1972', '1992', '1996', '2000', 'Spoiler controversy', '2004', 'Religious views', 'Legacy and assessment', 'Published works', 'Titles and honours', 'Decorations', 'Medals', 'Freedom of the City', 'Menzies ministries', 'Actors who have played Menzies', 'Eponyms of Menzies', 'G', 'I', 'K', 'L', 'M', 'N', 'O', 'P', 'R', 'S', 'Personal life', 'Activism', 'Commmons', 'Awards and nominations', 'Honorary awards', 'Soundtrack awards', 'Academy Award for Best Original Score', 'BAFTA Award for Best Film Music', 'Grand Bell Awards for Best Music', 'Golden Globe Award for Best Original Score', 'Diseases', 'Ecology', 'Habitat and range', 'Environmental problems', 'As food and clothing', 'In art, literature, and culture', 'Folklore and mythology', 'Superstition and urban legend', 'See also', 'References', 'Etymology', 'Geography', 'Climate', 'History', 'Repair and conversion', 'End of service', 'Measuring ships', 'Ship pollution', 'Oil spills', 'Ballast water', 'Exhaust emissions', 'Ship breaking', 'See also', 'Notes', 'See also', 'Sources', 'References', 'Bibliography'], ['Education expenditure', 'Literacy', 'Unemployment, youth ages 15-24', 'References', 'Inland waterways', 'Ports and harbors', 'Merchant marine', 'Ship lines on lakes', 'Pipelines', 'Oversight', 'See also', 'References', 'Citations', 'Sources', 'List of steps', 'Prevention of contamination and defects', 'Wafers', 'Processing', 'Front-end-of-line (FEOL) processing', 'Gate oxide and implants', 'Back-end-of-line (BEOL) processing', 'Metal layers', 'Interconnect', 'Wafer test', 'Structural equivalence', 'Structural symmetry and equivalent atoms', 'Symmetry and positional isomerism', 'Symmetry breaking by substitutions', 'Isomer enumeration and counting', 'See also', 'References', "Pearson's second skewness coefficient (median skewness)", 'Quantile-based measures', 'Groeneveld & Meeden’s coefficient', 'L-moments', 'Distance skewness', 'Medcouple', 'See also', 'References', 'Citations', 'Sources', 'Research', 'Stuttering in popular culture', 'See also', 'Notes', 'References', 'Further reading'], ['Globular cluster', 'Super star cluster', 'Open clusters', 'Embedded clusters', 'Intermediate forms', 'Astronomical significance of  star clusters', 'Star Clouds', 'Nomenclature', 'Synopsis', '"Gawain Poet"', 'Verse form', 'See also', 'References', 'History', 'Studio albums', 'Compilation albums', 'Live albums', 'Box sets', 'Singles', 'See also', 'References'], ['Solar radiation pressure', 'Sail parameters', 'Attitude control', 'Constraints', 'Applications', 'Inner planets', 'Outer planets', "Oort Cloud/Sun's inner gravity focus", 'Satellites', 'Trajectory corrections', 'International tourism receipts', 'International tourism expenditure', 'Euromonitor International Top City Destinations Ranking', 'World Travel and Tourism Council', 'History', 'Antiquity', 'Middle Ages', 'Grand Tour', 'Emergence of leisure travel', 'Tourism, cultural heritage and UNESCO', 'Link', 'Princess Zelda', 'Ganon', 'History', '1980s', '1990s', '2000s', '2010s', 'Other games', 'CD-i games', 'Pre-Columbian period', 'Spanish period', 'The arrival of Columbus', 'Colonial settlement of Trinidad', 'Colonial settlement of Tobago', 'Passenger capsules', 'Ownership and branding', 'Financial difficulties', 'Critical reception', 'Transport links', 'References'], ['Second Temple', 'Recent history', 'Location', 'Physical layout', 'Temple services', 'In the Talmud', 'Role in contemporary Jewish services', "Herzl's vision", 'In other religions', 'Christianity', 'Summary', 'Plot overview', 'Literary sequels', '"Screwtape Proposes a Toast"', 'Personal life and early career', 'In House', 'Early service', 'As Speaker', 'Rules', 'Civil rights', 'End of political career and death', 'Landmarks', 'Local government', 'Economy', 'Agriculture and forestry', 'Industry and mining', 'General economic parameters', 'Infrastructure', 'Transport', 'Energy and water supply', 'Health', 'Education', 'Chief Islander', 'Demographics', 'Language', 'Education', 'Religion', 'Health', 'Culture', 'Media', 'Holidays', 'Notable people', 'Market share recovery', 'Customer service recovery', 'Telstra Digital', 'Retail store network', 'New brand', 'Sponsorships', 'Share price development', 'Sale of Sensis', 'New health business unit', 'Telstra Health Acquisitions', 'Origin, title, and appointment', 'Powers and duties', 'Impeachment trials', 'Seniority', 'Presidential oath', 'Arts and media', 'Educational institutions', 'Language', 'Places', 'History', 'Scandals', 'Campus', 'University Village', 'Thayer Award', "Sedgwick's spurs", 'Goat-Engineer game', 'Walking the area', 'Sandhurst Military Skills Competition', 'Notable alumni', 'Commemorations', 'West Point Garrison and Stewart Army Subpost', 'See also', 'Notes', 'Roads', 'Other services', 'Education', 'Media', 'Sister cities', 'See also', 'Notes', 'References'], ['China', 'New Zealand', 'Other countries', 'References'], []]



['Wikipedia: Quantum chemistry', 'Wikipedia: Renaissance music', 'Wikipedia: Roger the Dodger', 'Wikipedia: Rooster', 'Wikipedia: Soap opera', 'Wikipedia: Swiss Armed Forces', 'Wikipedia: Stereoisomerism', 'Wikipedia: Saint Columba (disambiguation)', 'Wikipedia: Saxony', 'Wikipedia: Scarlatti', 'Wikipedia: Square root', 'Wikipedia: Taekwondo', 'Wikipedia: Transcription', 'Wikipedia: Theodosius I', 'Wikipedia: Ubbi dubbi', 'Wikipedia: United States Minor Outlying Islands', 'Wikipedia: Puzzle video game']
[["Pelagius' teachings", 'Free will and original sin', 'Sin and virtue', 'Baptism and judgement', 'Comparison', 'Defining Pelagianism', 'Pelagianism and Augustinianism', 'Pelagianism and Judaism', 'Later responses', 'Semi-Pelagian controversy', 'Sports', 'Sports teams', 'See also', 'Notes', 'References'], ['Introduction to movies', 'Early career in Poland', 'Film director', '1960s', 'Knife in the Water (1962)', 'Repulsion (1965)', 'Cul-de-sac (1966)', 'The Fearless Vampire Killers/Dance of the Vampires (1967)', "Rosemary's Baby (1968)", '1970s', '2008', 'Congressional Accountability Project', 'Later activities', 'D.C. Library Renaissance Project', 'Only the Super Rich Can Save Us', '2012 debate moderator', 'Ralph Nader Radio Hour', 'American Museum of Tort Law', 'Campaign for Harvard admissions reform', 'Personal life', 'Notes and references', 'Further reading'], ['T', 'U', 'V', 'Y', 'Z', 'Sources', 'See also', 'Grammy Award for Best Score Soundtrack Album for a Motion Picture, Television or Other Visual Media', 'Other awards', 'Discography', 'References', 'Further reading'], ['Further reading'], ['Crowing', '19th century', 'European settlements', '20th century', 'Post–Second World War', 'Demographics', 'Economy', 'Provincial finances', 'Education', 'Healthcare', 'Government and politics', 'References', 'Citations', 'Sources'], ['History', 'Origins', 'Alliance with the Bharatiya Janata Party', 'Formation of Maharashtra Navnirman Sena', 'Leadership change', 'Party structure and caste composition', 'Structure', 'Caste composition', 'Government of Sierra Leone', 'Administrative divisions', 'Political parties and elections', 'Presidential elections', 'Parliamentary elections', 'See also', 'References'], ['Elections'], ['History', 'Personnel', 'Device test', 'Die preparation', 'Packaging', 'Hazardous materials', 'Timeline of MOSFET demonstrations', 'Timeline of commercial MOSFET nodes', 'See also', 'References', 'Further reading'], ['Enantiomers', 'Diastereomers', 'Cis–trans and E-Z isomerism', 'Conformers', 'Anomers', 'Atropisomers'], ['Saints', 'Schools', 'History', 'Prehistory', 'Duchy of Saxony', 'Holy Roman Empire', 'Foundation of the second Saxon state', '19th century', 'See also', 'Notes', 'References'], ['Similar stories', 'Themes', 'Temptation and testing', 'Hunting and seduction', 'Nature and chivalry', 'Games', 'Times and seasons', 'Emotion and narrative empathy', 'Symbolism', 'Significance of the colour green', 'Background', 'Development', 'Launch', 'Changes at Sega', 'Cancellation of Sonic X-treme', 'Decline', 'Technical specifications', 'Game library', 'Reception and legacy', 'Explanatory notes', 'History', 'Properties and uses', 'Square roots of positive integers', 'As decimal expansions', 'As expansions in other numeral systems', 'Interstellar flight', 'Deorbiting artificial satellites', 'Sail configurations', 'Electric solar wind sail', 'Magnetic sail', 'Sail making', 'Materials', 'Reflection and emissivity layers', 'Fabrication', 'Operations', 'Cruise shipping', 'Modern day tourism', 'Mass tourism', 'Niche tourism', 'Winter tourism', 'Recent developments', 'Sustainable tourism', 'Textile tourism', 'Ecotourism', 'Movie tourism', 'LCD games', 'Cancelled games', 'Spin-off games', 'Cross-overs', 'Reception and legacy', 'Impact', 'Other media', 'TV series', 'Print media', 'Music', 'Spanish missions in Trinidad', 'French settlement in Trinidad', 'British period', 'End of slavery', 'Agricultural development and indentured labour', 'Discovery of oil', '20th-century political development', 'West Indian Federation and Independence', 'Sexual Offences Act of 1986', 'Criticism of Sexual Offences Act', 'History', 'Features', 'Theory of power', 'Typical curriculum', 'Equipment and facilities', 'Styles and organizations', 'Islam', 'Archaeological evidence', 'Building a Third Temple', 'In media', 'See also', 'References', 'Further reading'], ['Other literary sequels', 'Adaptations', 'Annotated Screwtape Letters', 'Audio drama', 'Comic book adaptation', 'Film adaptation', 'Stage adaptation', 'In popular culture', 'Comics', 'Documentary', 'Biographies', 'References', 'Bibliography', 'Primary sources'], ['School system', 'Universities', 'Research', 'Personalities', 'References'], ['In popular culture', 'Film', 'Literature', 'Non-fiction', 'See also', 'Notes', 'References', 'Further reading'], ['News and government', 'National Broadband Network (NBN)', 'Andy Penn era (2015–present)', 'Products and services', 'Fixed-line and mobile telephony', 'Internet', 'Wholesale', 'Retail internet', 'Cable internet', 'ADSL internet', 'Mobile broadband', 'Other duties', 'Disability or vacancy', 'List of chief justices', 'Notes', 'References', 'Further reading'], ['Other uses', 'See also', 'Rules', 'Health Sciences campus', 'Public transit', 'Former agricultural college campus', 'Organization and administration', 'Student government', 'List of university presidents', 'Department of Public Safety', 'Academics', 'University library system', 'Rankings', 'References', 'Citations', 'Sources'], ['Definition and gameplay', 'Types of puzzle games', 'Logical', 'History', 'Applications', 'Electrochemistry', 'Dry pile', 'Electromotive force', 'See also', 'References'], []]



['Wikipedia: Robert M. Pirsig', 'Wikipedia: Economy of Sierra Leone', 'Wikipedia: Sanskrit', 'Wikipedia: Sylvia Sayer', 'Wikipedia: Serial Experiments Lain', 'Wikipedia: Seinfeld', 'Wikipedia: Dreamcast', 'Wikipedia: Tor Nørretranders', 'Wikipedia: The Man from U.N.C.L.E.', 'Wikipedia: Thomas R. Marshall', 'Wikipedia: University of Michigan', 'Wikipedia: United Nations Framework Convention on Climate Change', 'Wikipedia: Volt']
[['Pelagian manuscripts', 'Early modern era', 'Contemporary responses', 'Scholarly reassessment', 'References', 'Notes', 'Citations', 'Sources', 'Further reading'], ['Overview', 'History', 'Electronic structure', 'Valence bond', 'Molecular orbital', 'Density functional theory', 'Chemical dynamics', 'Macbeth (1971)', 'What? (1973)', 'Chinatown (1974)', 'The Tenant (1976)', 'Tess (1979)', '1980s', 'Pirates (1986)', 'Frantic (1988)', '1990s', 'Bitter Moon (1992)', 'Personality and character traits', 'Finances', 'Media appearances', 'Film', 'Periodicals', 'Television', 'Bibliography', 'Recognition', 'See also', 'Notes', 'Overview', 'Genres', 'Composers\xa0– timeline', 'Early period (1400–1470)', 'Middle period (1470–1530)', 'Late period (1530–1600)', 'Mannerism', 'Transition to the Baroque', 'Instruments', 'Organs', 'Early life', 'Career', 'Personal life', 'Legacy and recognition', 'See Also', 'Notes', 'Character history', 'Characteristics', 'Other characters in the strip', 'Timeline', 'In other media', 'TV', 'Theme park', 'Rooster crowing contests', 'Capons', 'Cockfighting', 'The cockerel "waltz"', 'Religion and spiritual belief systems', 'Animism, shamanism and tribal religions', 'Astro-mythology', 'Norse mythology', 'Buddhism', 'Divination', 'Law enforcement', 'Law enforcement agencies', 'Correctional facilities', 'Transportation', 'Culture', 'Arts', 'Sports', 'Symbols', 'Centennial celebrations', 'See also', 'Origin and history of the genre', 'Plots and storylines', 'United States', 'Daytime serials on television', 'Performers', 'Evolution of the daytime serial', 'Traditional grammar of daytime serials', 'Decline', 'Statistics and trends', 'Voter base', 'Chief Ministers', 'Shiv Sena ministers in central Government', 'Electoral performance', 'Activities and criticism', 'See also', 'References', 'Further reading'], ['Economic history', 'Economic sectors', 'Agriculture', 'Structure since 2018', 'Army history', 'Air force history', 'Intelligence gathering', 'Lakes flotilla', 'Conscription', 'Roles', 'Military and civil defence', 'Peacekeeping overseas', 'Equipment', 'Etymology and nomenclature', 'History', 'Origin and development', 'More definitions', "Le Bel-van't Hoff rule", 'References', 'Other', 'See also', 'Plot', '20th century', 'Geography', 'Topography', 'Rivers', 'Largest cities and towns', 'Governance', 'Politics', '2019 state election', 'Administration', 'Demographics', 'See also', 'Premise', 'The Green Knight', 'Girdle', 'Pentangle', "The Lady's Ring", 'Numbers', 'Wounds', 'Interpretations', 'Gawain as medieval romance', 'Christian interpretations', 'Feminist interpretations', 'Citations', 'General sources', 'History', 'As periodic continued fractions', 'Computation', 'Principal square root of a complex number', 'Algebraic formula', 'Notes', 'Square roots of matrices and operators', 'In integral domains, including fields', 'In rings in general', 'Geometric construction of the square root', 'See also', 'Changing orbits', 'Swing-by maneuvers', 'Interstellar travel catalog to use photogravitational assists for a full stop.', 'Projects operating or completed', 'Attitude (orientation) control', 'Ground deployment tests', 'Suborbital tests', 'IKAROS 2010', 'NanoSail-D 2010', 'Planetary Society LightSail Projects', 'Dizionario del Turismo Cinematografico', 'Volunteer tourism', 'Pro-poor tourism', 'Recession tourism', 'Medical tourism', 'Educational tourism', 'Event tourism', 'Creative tourism', 'Experiential tourism', 'Dark tourism', 'Potential films', 'Board games', 'Notes', 'References'], ['1990 Jamaat-al-Muslimeen coup attempt', 'Later developments', 'See also', 'Notes', 'References', 'Further reading'], ['1946: Traditional Taekwondo', '1966: ITF/Chang Hon-style Taekwondo', '1969: ATA/Songahm-style Taekwondo', '1970s: Jhoon Rhee-style Taekwondo', '1972: Kukki-style / WT-Taekwondo', 'Other styles and hybrids', 'Forms (patterns)', 'Ranks, belts, and promotion', 'Historical influences', 'Philosophy', 'Background', 'Premise', 'Innocent character', 'Episodes', 'Literature', 'Music', 'Political discourse', 'Notes', 'References', 'Bibliography'], ['Genetics', 'Linguistics', 'Speech transcription', 'Other', 'See also', 'Career', 'Family', 'Temporary settlement of the Gothic War (379–382)', 'Civil wars in the Empire (383–394)', 'Art patronage', 'Nicene Christianity becomes the state religion', 'Arianism', 'History of the island', 'Videos of the island', 'Early life', 'Satellite internet', 'Dial-up internet', 'Low-cost internet', 'Subscription television', 'Entertainment and content', 'BigPond Music', 'BigPond Games and GameArena', 'The Pond in Second Life', 'Facebook', 'Controversies', 'History', 'Campus', 'Central Campus', 'North Campus', 'South Campus', 'Organization and administration', 'Examples', 'Uses', 'See also', 'References'], ['Student body', 'Admissions', 'Faculty and research', 'Athletics', "Men's sports", "Women's sports", 'Traditions and student activities', 'Rivalries', 'Mascots', 'Marching band', 'History', 'Overview', 'Transportation', 'Airports', 'Seaports', 'Islands and atolls', 'Flora and fauna', 'See also', 'References', 'Coding', 'Trial-and-Error / Exploration', 'Hidden object game', 'Reveal the picture game', 'Tile-matching', 'Traditional puzzle', 'History', 'Origins and popularity', 'Refinement', 'Modern puzzle games', 'Definition', 'Josephson junction definition', 'Water-flow analogy']]



['Wikipedia: Patripassianism', 'Wikipedia: QWERTY', 'Wikipedia: Richard Bach', 'Wikipedia: Red Hat Linux', 'Wikipedia: Robert Nozick', 'Wikipedia: Summer solstice (disambiguation)', 'Wikipedia: San Francisco 49ers', 'Wikipedia: Foreign relations of Switzerland', 'Wikipedia: SS Kaiser Wilhelm der Grosse', 'Wikipedia: Geography of Trinidad and Tobago', 'Wikipedia: Tree of life', 'Wikipedia: Thunderbird and Whale', 'Wikipedia: United Nations Environment Programme', 'Wikipedia: Platform game', 'Wikipedia: Vela (constellation)']
[['Trinitarian perspective', 'History', 'See also', 'Adiabatic chemical dynamics', 'Non-adiabatic chemical dynamics', 'See also', 'References'], ['Death and the Maiden (1994)', 'The Fearless Vampire Killers (1997)', 'The Ninth Gate (1999)', '2000s', 'The Pianist (2002)', 'Oliver Twist  (2005)', '2010s', 'The Ghost Writer (2010)', 'Carnage (2011)', 'Venus in Fur (2013)', 'References', 'Further reading'], ['Articles and interviews', 'Brass', 'Strings', 'Percussion', 'Woodwinds (aerophones)', 'See also', 'References'], [], ['Features', 'Fedora', 'Video games', 'See also', 'References', 'Hinduism', 'Samaritanism', 'Judaism', 'Christianity', 'Islam', 'Shintoism', 'Taoism', 'Zoroastrianism', 'Emblems', 'Image gallery', 'References', 'Further reading'], ['Causes', 'Current', 'Former', 'The primetime serial', 'List of prime time soap operas', 'Telenovelas', 'Online serials', 'Turkey', 'United Kingdom', 'Television', 'Franchise history', '1946–1978: Early years', '1979–1980: Arrival of Bill Walsh and Joe Montana', '1981–1984: First two Super Bowls', 'Mining', 'Telecommunications', 'Tourism', 'Transport', 'Trade and investment', 'Currency and central bank', 'Membership of international economic bodies', 'Other statistics==', 'See also', 'References', 'See also', 'Notes and references', 'Bibliography'], ['Vedic Sanskrit', 'Classical Sanskrit', 'Sanskrit and Prakrit languages', 'Influence of Dravidian Languages on Sanskrit', 'Influence', 'Decline', 'Modern Indic languages', 'Geographic distribution', 'Official status', 'Phonology', 'Biography', 'Conservation work', 'TV mast', 'The military', 'Reservoirs', 'China clay workings', 'Okehampton bypass', 'Other', 'Legacy', 'References', 'Characters', 'Production', 'Writing', 'Character design', 'Themes', 'Apple computers', 'Broadcast and release history', 'Episodes', 'Related media', 'Artbooks', 'Population change', 'Birthrate', 'Sorbian population', 'Religion', 'Economy', 'International trade', 'Tourism', 'Education', 'Culture', 'Languages', 'Characters', 'Plotlines', 'Themes', 'Catchphrases', 'Music', 'Episodes', 'Seasons 1–3', 'Seasons 4–5', 'Seasons 6–7', 'Seasons 8–9', 'Postcolonial interpretations', "Gawain's journey", 'Homoerotic interpretations', 'Modern adaptations', 'Books', 'Film and television', 'Theatre', 'Opera', 'References'], ['Background', 'Development', 'Launch', 'Competition', 'Decline', 'Technical specifications', 'Hardware', 'Models', 'Accessories', 'Game library', 'References'], ['History', 'Projects in development or proposed', 'Sunjammer 2015', 'Gossamer deorbit sail', 'NEA Scout', 'OKEANOS', 'Breakthrough Starshot', 'Solar Cruiser', 'In popular culture', 'See also', 'References', 'Social tourism', 'Doom tourism', 'Religious tourism', 'DNA tourism', 'Impacts', 'Tourism fatigue', 'Negative environmental consequences', 'Illegal activities', 'Anti-tourism sentiment and mobilization', 'Growth', 'Biography', 'Other academic accomplishments', 'Journalism background', 'Bibliography'], ['References', 'Physical geography', 'Geology', 'Political geography', 'Climate', 'Statistics', 'See also', 'Competition', 'World Taekwondo (WT) Competition', 'International Taekwon-Do Federation (ITF) Competition', 'Multi-discipline competition', 'Other organizations', 'Weight divisions', 'Korean Taekwondo vocabulary', 'See also', 'References'], ['Solo – the pilot', 'Season 1', 'Seasons 2–4', 'Spin-off: The Girl from U.N.C.L.E.', 'Reunion TV movie', 'Theme music', 'Guest stars and other actors', 'Gadgets', 'Communications devices', 'U.N.C.L.E. car', 'Religion and mythology', 'Ancient Slavic', 'Ancient Iran', 'Ancient Mesopotamia and Urartu', "Baha'i Faith", 'Buddhism', 'Story Summary', 'Reconstructing the myth', 'References', 'Definition of orthodoxy', 'Proscription of pagan religion', 'Death and legacy', 'See also', 'References', 'Sources', 'Further reading'], ['Family and background', 'Education', 'Law practice', 'Governorship', 'Campaign', 'Progressive agenda', "Marshall's constitution", 'Vice presidency', 'Election', 'Senate developments', 'Mobile networks', 'Next G Network', 'Network design', '4GX', 'Business Technology Services (BTS)', 'Market position', 'Management', 'International holdings', 'Selected events', 'WotNext', 'Endowment', 'Student government', 'Academics', 'Rankings and reputation', 'Research', 'Student body', 'Admissions', 'Enrollment', 'Student life', 'Residential life', 'Treaty', 'Kyoto Protocol', 'Paris Agreement', 'Intended Nationally Determined Contributions', 'Other decisions', 'Interpreting article 2', 'Precautionary principle', 'Parties', 'Spirit groups', 'Song Girls', 'Yell Leaders', 'Spirit Leaders', 'Student media', 'Greek life', 'Popular media', 'Notable alumni', 'Notes', 'References'], ['History', 'Governance', 'See also', 'References', 'Concepts', 'Common voltages', 'History', 'See also', 'References'], []]



['Wikipedia: Denial of the virgin birth of Jesus', 'Wikipedia: Rhine', 'Wikipedia: Right ascension', 'Wikipedia: Razz', 'Wikipedia: Salting', 'Wikipedia: Telecommunications in Sierra Leone', 'Wikipedia: South Park', 'Wikipedia: Sultan Bashiruddin Mahmood', 'Wikipedia: SH3 domain', 'Wikipedia: Sabellianism', 'Wikipedia: Thomas Henry Huxley', 'Wikipedia: Demographics of Trinidad and Tobago', 'Wikipedia: Targum', 'Wikipedia: Tomato sauce', 'Wikipedia: Tswana language', 'Wikipedia: Timothy McVeigh', 'Wikipedia: 2000 United States presidential election']
[['References', 'Early Christianity', 'Reformation', 'History', 'Differences from modern layout', 'Substituting characters', 'Combined characters', 'Contemporary alternatives', 'Properties', 'Computer keyboards', 'Diacritical marks', 'Based on a True Story  (2017)', 'An Officer and a Spy (2019)', '2020s', 'Marriages and relationships', 'Barbara Kwiatkowska-Lass', 'Sharon Tate', 'Emmanuelle Seigner', 'Legal history', 'Sexual abuse case', 'Documentary films', 'Early life', 'Aviation career', 'Literary career', 'Personal life', 'Bibliography', 'References', 'Notes'], ['Name', 'Geography', 'Headwaters and sources', 'Sources', 'Anterior Rhine and Posterior Rhine', 'Alpine Rhine', 'Version history', 'See also', 'References'], ['Personal life', 'Career and works', 'Political philosophy', 'Epistemology', 'Later books', 'Utilitarianism', 'Philosophical method', 'Invariances', 'Bibliography', 'See also', 'See also', 'References'], ['Arts and entertainment', 'See also', 'People', 'The 1980s', 'The 1990s', 'The 2000s', 'Format', 'Australia', 'Early serials', 'The 1970s', 'Australian soaps internationally', 'The 1990s and beyond', 'New Zealand', '1985–1987: Arrival of Jerry Rice', '1988–1989: Back-to-back Super Bowls', '1990–1993: Unsuccessful Three-peat / Steve Young Steps in', '1994–1998: Fifth Super Bowl', '1999–2002: Ownership change', '2003–2010: Struggles', '2011–2014: Jim Harbaugh era', 'Replacement of Candlestick Park', '2015–2017: Post-Harbaugh struggles', '2017–present: Kyle Shanahan era'], ['Radio and television', 'Telephones', 'History', 'United Nations', 'Support of UN sanctions', 'EU and other international organizations', 'Participation in peacekeeping', 'Representation of foreign entities and in foreign disputes', 'Diplomatic representations', 'Bilateral relations', 'Africa', 'Vowels', 'Consonants', 'Phonological alternations, sandhi rules', 'Pronunciation', 'Morphology', 'Tense and voice', 'Gender, mood', 'Prosody, meter', 'Writing system', 'Scripts', 'Sources', 'Premise', 'Setting and characters', 'Soundtracks', 'Video game', 'Reception', 'See also', 'Notes and references', 'Further reading'], ['Sports', 'Motherland of the Reformation', 'Cuisine', 'Art', 'Porcelain', 'Rock Climbing', 'Anthem', 'See also', 'References', 'Bibliography', 'Series finale', 'Syndication', 'Production', 'High-definition versions', 'Reception and legacy', 'U.S. television ratings', 'Awards and nominations', 'Consumer products', 'Home media', 'DVD releases', 'Life and education', 'Pakistan Atomic Energy Commission', 'Radical politics and Ummah Tameer-e-Nau', 'Reception and legacy', 'Notes', 'References', 'Bibliography', 'Origins, conception and construction', 'Career', 'First World War', 'Characteristics', 'Technical aspects', 'Interiors', 'Wreck', 'Notes and references', 'Sources'], ['Bibliography'], ['History and development', 'Space tourism', 'Sports tourism', 'Trends since 2000', 'See also', 'References', 'Bibliography', 'Further reading'], ['Early life', 'Voyage of the Rattlesnake', 'Later life', 'Public duties and awards', 'Vertebrate palaeontology', 'References', 'Population', 'Structure of the population  ===', 'Etymology', 'Two major targumim', 'Targum Ketuvim', 'Weaponry', 'Awards and nominations', 'Feature films', 'Theatrical releases of episodes', '2015 remake', 'In other media', 'Soundtrack albums', 'Comic books', 'Merchandise', 'Novels', 'Chinese mythology', 'Christianity', 'The Church of Jesus Christ of Latter-day Saints', 'Manichaeism', 'Europe', 'Georgia', 'Germanic paganism and Norse mythology', 'Islam', 'Ahmadiyya', 'Jewish sources', 'History', 'Description', 'Varieties', 'Mexican', 'Italian', 'French', 'History', 'Phonology', 'Vowels', 'Consonants', 'Stress', 'Assassination attempt', 'World War I', 'Morrison', 'Succession crisis', 'Later life and death', 'Humor', 'Legacy', 'Electoral history', 'Notes', 'References', 'Privacy investigation', 'See also', 'References'], ['Groups and activities', 'Media and publications', 'Athletics', 'Football', "Men's ice hockey", "Men's basketball", 'Other sports', 'In the Olympics', 'Traditions', 'School colors', 'Classification of Parties and their commitments', 'List of parties', 'Annex I countries', 'Conferences of the Parties', 'Subsidiary bodies', 'Secretariat', 'Action for Climate Empowerment (ACE)', 'Available information about the commitments', 'Commentaries and analysis', 'Criticisms of the UNFCCC process'], ['Background', 'Republican Party nomination', 'Executive Director', 'List of executive directors', 'Environment Assembly', 'Structure', 'Activities', 'Awards programs', 'Notable achievements', 'The Regional Seas Program', 'Reports', 'International years', 'History', 'Single-screen movement', 'Scrolling movement', 'Second-generation side-scrollers', 'Decline of 2D', 'The third dimension', 'True 3D', 'Into the 21st century', 'Recent developments', 'Subgenres', 'History', 'Characteristics', 'Features', 'Stars', 'Brown dwarfs', 'Deep-sky objects', 'References'], []]



['Wikipedia: Pendulum clock', 'Wikipedia: RPG', 'Wikipedia: Redirect examination', 'Wikipedia: Robert Moog', 'Wikipedia: Socialism', 'Wikipedia: Transport in Sierra Leone', 'Wikipedia: Spontaneous emission', 'Wikipedia: Scottish Gaelic', 'Wikipedia: Sydney Swans', 'Wikipedia: List of therapies', 'Wikipedia: The Lord of the Rings', 'Wikipedia: Physiologus', 'Wikipedia: Unemployment', 'Wikipedia: Vitellius']
[['Today', 'Sects and denominations', 'See also', 'References', 'Other keys and characters', 'International variants', 'Canadian', 'Canadian Multilingual Standard', 'Canadian French', 'Czech===', 'Danish', 'Dutch (Netherlands)', 'Estonian', 'Faroese', 'Vanity Fair libel case', 'Matan Uziel libel case', 'Additional allegations, 2010 onwards', 'Filmography', 'Short films', 'Actor', 'Writer', 'Awards and nominations', 'Academy Awards', 'BAFTA Awards', 'Armed forces and military', 'Media and entertainment', 'Organizations', 'Science and technology', 'Lake Constance', 'Obersee', 'Seerhein', 'Untersee', 'High Rhine', 'Upper Rhine', 'Middle Rhine', 'Lower Rhine', 'Delta', 'Geologic history', 'Explanation', 'Symbols and abbreviations', 'Effects of precession', 'History', 'See also', 'Notes and references'], ['Notes', 'Further reading'], ['See also', 'Early life and education', 'Career', 'Other', 'See also', 'Etymology', 'Radio', 'Canada', 'India', 'Europe', 'Remakes of Australian serials', 'Norway', 'Netherlands', 'Germany', 'Belgium', 'Italy', 'Championships', 'Super Bowls', 'NFC championships', 'Logos and uniforms', 'Logo', 'Uniforms', 'Culture', 'Cheerleaders', 'Mascot', 'Rivalries', 'Internet', 'Internet censorship and surveillance', 'See also', 'References'], ['Americas', 'Asia', 'Europe', 'Oceania', 'See also', 'References'], ['Brahmi script', 'Nagari script', 'Other writing systems', 'Transliteration schemes, Romanisation', 'Epigraphy', 'Texts', 'Influence on other languages', 'Indic languages', 'Interaction with other languages', 'Modern era', 'Themes and style', 'Development', 'Production', 'Animation', 'Voice cast', 'Guest stars', 'Music', 'Main theme', 'Episodes', 'Distribution', 'Introduction', 'Theory', 'Rate of spontaneous emission', 'Radiative and nonradiative decay: the quantum efficiency', 'See also', 'References'], ['Name', 'History', 'Streaming', 'Hulu (US)', 'Prime Video (UK)', 'Stan (Australia)', 'Netflix', 'After Seinfeld', 'Another scene', 'The Seinfeld "curse"', 'Curb Your Enthusiasm', 'Comedians in Cars Getting Coffee', '2001 debriefing and detention', 'Mahmood-Hoodbhoy debates', 'Literature and Cosmology', 'New York Times comments', 'Bibliography', 'Awards and honours', 'See also', 'References'], ['Structure', 'Peptide binding', 'SH3 interactomes', 'Proteins with SH3 domain', 'See also', 'References'], ['South Melbourne history', 'Origins: 1874–1876', 'VFA era: 1877–1896', 'Patripassianism', 'Eastern Orthodox view', 'Current adherents', 'Current opposition', 'See also', 'References'], ['See also', "Darwin's bulldog", 'Debate with Wilberforce', "Man's place in nature", 'Natural selection', 'Pallbearer', 'The X Club', 'Educational influence', 'School of Mines and Zoology', 'Schools and the Bible', 'Adult education', 'Emigration', 'Vital statistics', 'Life expectancy at birth', 'Ethnic groups', 'Indo-Trinidadian', 'African-Trinidadian and Tobagonians', 'European Trinidadians', 'Mixed ethnicity', 'Chinese-Trinidadians and Tobagonians', 'Arab-Trinidadians and Tobagonians', 'Other Targumim on the Torah', 'Peshitta', 'See also', 'References'], ['English translations of Targum', 'Other sources on Targum', 'TV Annuals', 'Home media', 'U.N.C.L.E. in popular culture', 'Television and film', 'Books', 'Music', 'Video games', 'Podcast', 'See also', 'References', 'Kabbalah', 'Mesoamerica', 'North America', 'Serer religion', 'Turkic', 'Hinduism', 'In art and film', 'Physical "trees of life"', 'See also', 'References', 'New Zealand and South Africa', 'United Kingdom', 'Australia', 'United States', 'Louisiana', 'Tomato gravy', 'Indian', 'See also', 'References'], ['Tone', 'Grammar', 'Nouns', 'References', 'Notes', 'General'], ['Citations', 'Sources', 'Further reading'], ['Early life', 'Military life', 'Post-military life', '1993 Waco siege and gun shows', 'Arizona with Fortier', 'With Nichols, Waco siege, and radicalization', 'Plan against federal building or individuals', 'Oklahoma City bombing', 'Arrest and trial', 'Fight songs and chants', 'Alumni', 'References', 'Specific', 'General'], ['Benchmarking', 'International trade', 'Engagement of civil society', 'See also', 'References', 'Citations', 'Sources'], ['Primaries', 'Democratic Party nomination', 'Withdrawn candidates', 'Primary', 'Other nominations', 'Reform Party nomination', 'Association of State Green Parties nomination', 'Libertarian Party nomination', 'Constitution Party nomination', 'Natural Law Party nomination', 'Reform', 'Funding', '2018 funds withholding', 'See also', 'Sources', 'References', 'Further reading'], ['Puzzle-platform game', 'Run-and-gun platform game', 'Cinematic platform game', 'Comical action game/Single Screen Platformer', 'Isometric platform game', 'Platform-adventure game', 'See also', 'Notes and references'], ['Family', 'Public service', 'Political and military career']]



['Wikipedia: Radar', 'Wikipedia: Roger Clemens', 'Wikipedia: Robert Abbot (theologian)', 'Wikipedia: Languages of Switzerland', 'Wikipedia: Nicolas Léonard Sadi Carnot', 'Wikipedia: Sergei Diaghilev', 'Wikipedia: Siege tower', "Wikipedia: Stokes' theorem", 'Wikipedia: Sino-Indian War', 'Wikipedia: Tosefta', 'Wikipedia: Taiwanese cuisine', 'Wikipedia: Technocracy (disambiguation)', 'Wikipedia: Triage', 'Wikipedia: Nikolai Trubetzkoy', 'Wikipedia: Universal Declaration of Human Rights', 'Wikipedia: United Australia Party', 'Wikipedia: Fighting game']
[['History', 'Mechanism', 'Gravity-swing pendulum', 'Temperature compensation', 'Atmospheric drag', 'Leveling and "beat"', 'Local gravity', 'Torsion pendulum', 'Escapement', 'Finnish multilingual===', 'Greek===', 'German', 'Icelandic', 'Irish', 'Italian===', 'Latvian', 'Lithuanian', 'Maltese', 'Norwegian', 'Golden Globe Awards', 'Cannes Film Festival', 'César Award', 'Berlin International Film Festival', 'New York Film Critics Circle', 'Venice Film Festival', 'Other Awards', 'References', 'Further reading', 'Bibliography', 'Other uses', 'See also', 'History', 'Alpine orogeny', 'Stream capture', 'End of the last ice age', 'Holocene delta', 'Cultural history', 'Antiquity', 'Medieval and modern history', 'Lists of features', 'Cities on the Rhine', 'Countries and borders', 'Early life', 'Collegiate career', 'Professional career', 'Boston Red Sox (1984–1996)', 'Toronto Blue Jays (1997–1998)', 'See also', 'Biography', 'Written works', 'RA Moog', 'Moog synthesizer', 'Company decline', 'Big Briar and rebirth of Moog Music', 'Death', 'Personal life', 'Legacy', 'Museum', 'References'], ['History', 'Early socialism', 'Paris Commune', 'First International', 'Second International', 'Early 20th century', 'Russian Revolution', 'International Working Union of Socialist Parties', 'Third International', '4th World Congress of the Communist International', 'Ireland', 'France', 'Greece', 'ANT1', 'MEGA', 'ERT', 'ALPHA', 'Cyprus', 'Weekday shows', 'Weekly shows', 'NFC West', 'Los Angeles Rams', 'Seattle Seahawks', 'Arizona Cardinals', 'NFC', 'Green Bay Packers', 'Historic rivals', 'Dallas Cowboys', 'New York Giants', 'New Orleans Saints', 'Railways', 'Walking', 'Highways', 'Water', 'Airports', 'References'], ['History', 'National languages and linguistic regions', 'German', 'French', 'Italian', 'Romansh', 'Liturgy, ceremonies and meditation', 'Literature and arts', 'Media', 'Schools and contemporary status', 'In the West', 'European studies and discourse', 'Symbolic usage', 'In popular culture', 'See also', 'Notes', 'International', 'Syndication', 'Home media', 'Streaming', 'Re-rendered episodes', 'Reception', 'Ratings', 'Recognitions and awards', 'Criticism', 'Controversies'], ['Life', 'Reflections on the Motive Power of Fire', 'Origins', 'Decline', 'Modern era', 'Defunct dialects', 'Status', 'Number of speakers', 'Distribution in Scotland', 'Usage', 'Official', 'Scotland', 'Notes', 'References', 'General references'], ['Ancient use', 'Medieval and later use', 'Modern parallels', 'Footnotes', 'Introduction', 'Formulation for smooth manifolds with boundary', 'Topological preliminaries; integration over chains', 'Underlying principle', 'Generalization to rough sets', 'VFL entry: 1897–1909', 'Premiership success: 1909–1945', 'Struggling times: 1946–1981', 'Sydney history', 'Early years in Sydney: 1982–1987', 'Dark times: 1988–1994', 'Tony Lockett and grand final return: 1995–2001', 'Rebuilding and finals return: 2002–2004', 'Premiership glory: 2005', 'Grand final loss: 2006', 'Location', 'Background', 'Aksai Chin', 'The McMahon Line', 'Events leading up to war', 'Tibet and the border dispute', 'Plot', 'The Fellowship of the Ring', 'Prologue', 'Book 1', 'Book 2', 'The Two Towers', 'Book 3', 'Huxley and the humanities', 'Royal and other commissions', 'Royal Commissions', 'Other commissions', 'Family', 'Mental problems in the family', 'Satires', 'Cultural references', 'See also', 'References', 'Indigenous (Caribs)', 'Religion', 'Language', 'English and Creoles', 'Hindustani (Hindi-Urdu)', 'Tamil', 'Chinese', 'Indigenous languages', 'References', 'Overview', 'Origins', "Tosefta's authority", 'Manuscripts / editions / commentaries', 'Manuscripts', 'Editions'], ['Ingredients and culture', 'Regional specialities', 'Further reading'], ['All article disambiguation pages', 'History', 'Types', 'Simple triage', 'Life and career', 'As structuralist', 'Notes', 'References', 'Allegorical stories', 'Attributions', 'Early history', 'Translations', 'The manuscript tradition', 'Contents', 'See also', 'Notes', 'Incarceration and execution', 'Associations', 'Religious beliefs', 'Motivations for the bombing', 'Accomplices', 'See also', 'References'], ['Definitions, types, and theories', 'Classical unemployment', 'Cyclical unemployment', 'Unemployment under "full employment"', 'Structural unemployment', 'Frictional unemployment', 'Hidden unemployment', 'Structure and content', 'History', 'Background', 'Creation and drafting', 'Adoption', 'Independents', 'General election campaign', 'Presidential Debates', 'Notable expressions and phrases', 'Results', 'Florida recount', 'National results', 'Close states', 'Results by state', 'Arizona results', 'History', 'Background', 'Foundation', 'Lyons Government', 'Response to Depression', 'Definition', 'Game design', 'Tactics and combos', 'Bid for power', 'Emperor', 'Administration', 'Challenges', 'Abdication and death', 'Portrayals in art', 'Fictional portrayals', 'References'], ['Primary sources']]



['Wikipedia: Programmable logic controller', 'Wikipedia: Russian language', 'Wikipedia: Richard III of England', 'Wikipedia: Robert the Bruce', 'Wikipedia: Republic of Sierra Leone Armed Forces', 'Wikipedia: Geography of Syria', 'Wikipedia: Sign language', 'Wikipedia: Sharia', 'Wikipedia: Triumph of the Will', 'Wikipedia: Politics of Trinidad and Tobago', 'Wikipedia: The Evolution of Cooperation', 'Wikipedia: Tales of the Reaching Moon', 'Wikipedia: Trekkies (film)', 'Wikipedia: The New Yorker', 'Wikipedia: Tumbarinu', 'Wikipedia: Transuranium element', 'Wikipedia: Vespasian']
[['Time indication', 'Styles', 'See also', 'References'], ['Polish', 'Portuguese', 'Brazil====', 'Portugal====', 'Romanian (in Romania and Moldova)', 'Slovak===', 'Spanish', 'Spain====', 'Latin America, officially known as Spanish Latinamerican sort====', 'Swedish==='], ['Classification', 'Standard Russian', 'First experiments', 'Just before World War II', 'During World War II', 'Applications', 'Principles', 'Radar signal', 'Illumination', 'Reflection', 'Radar range equation', 'Doppler effect', 'Bridges', 'Former distributaries', 'Canals', 'See also', 'Notes and references', 'Notes', 'References', 'Bibliography'], ['New York Yankees (1999–2003)', 'Houston Astros (2004–2006)', 'Return to the Yankees (2007)', 'Post-season performance', 'Boston Red Sox', 'New York Yankees', 'Houston Astros', 'Pitching appearances after retirement', 'Pitching style', 'Controversies', 'Identification of father', 'References', 'Early life', 'Background', 'Early life (1274–1292)', 'Birth', 'Spanish Civil War', 'Mid-20th century', 'Post-World War II', 'Nordic countries', 'Soviet Union and Eastern Europe', 'Asia, Africa and Latin America', 'New Left', 'Protests of 1968', 'Late 20th century', 'Contemporary socialist politics', 'Finland', 'Internet and mobile soap opera', 'Parodies', 'See also', 'References', 'Bibliography'], ['Atlanta Falcons', 'Las Vegas Raiders', 'Season-by-season records', 'Players of note', 'Current roster', 'Pro Football Hall of Famers', 'Retired numbers', '49ers Hall of Fame', 'Forty-Niner 10-year club', 'Records', 'Leadership', 'Sierra Leone Army', 'Equipment', 'Naval component', 'Other languages', 'Neo-Latin', 'See also', 'Notes', 'References'], ['References', 'Bibliography'], ['Influence and legacy', 'Cultural', 'Political', 'Franchise', 'Film', 'Shorts', 'Video games', 'Merchandising', 'References'], ['Background', 'Carnot cycle', 'Reception and later life', 'Death', 'See also', 'Works', 'References', 'Bibliography'], ['Scottish Parliament', 'Qualifications in the language', 'European Union', 'Signage', 'Canada', 'Nova Scotia', 'Outside Nova Scotia', 'Media', 'Education', 'Higher and further education', 'Early life and career', 'Ballets Russes', 'Personal life', 'Death and legacy', 'References', 'Further reading', 'Archival sources'], ['Etymology and usage', 'Contemporary usage', 'Etymology', 'Special cases', 'Kelvin–Stokes theorem', "Green's theorem", 'In electromagnetism', 'Divergence theorem', 'See also', 'Footnotes', 'References', 'Further reading'], ['Finals goal: 2007–2010', 'John Longmire era: 2011–present', 'Club identity', 'Guernsey', 'Uniform evolution', 'Song', 'Mascot', 'Home ground', 'Supporter base', 'Rivalries', '1960 meetings to resolve the boundary question', 'The Forward Policy', 'Early incidents', 'Confrontation at Thag La', 'Chinese and Indian preparations', 'Chinese motives', 'Military planning', 'Chinese offensive', 'Eastern theatre', 'Western theatre', 'Book 4', 'The Return of the King', 'Book 5', 'Book 6', 'Appendices', 'Frame-story', 'Concept and creation', 'Background', 'Writing', 'Poetry', 'Sources', 'Further reading'], ['Executive branch', 'Legislative branch', 'Political parties and elections', 'Judicial branch', 'Commentaries', 'Translations', 'See also', 'Notes'], ['Typical dishes', 'Desserts', 'Night market dishes', 'Food of the Taiwanese Aborigines', 'Beverages', 'Beer', 'Tea', 'Whisky', 'Foreign cuisine in Taiwan', 'Fusion', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'Tags', 'Advanced triage', 'Reverse triage', 'Undertriage and overtriage', 'Telephone triage', 'Outcomes', 'Palliative care', 'Evacuation', 'Alternative care facilities', 'Secondary (in-hospital) triage', 'Contents', 'Production', 'Release', 'Reception', 'Sequels', 'History', 'Influence', 'Cartoons', 'Crosswords and Puzzles', 'References', 'Long-term unemployment', 'Marxian theory of unemployment', 'Measurement', 'European Union (Eurostat)', 'United States Bureau of Labor statistics', 'Alternatives', 'Limitations of definition', 'Labor force participation rate', 'Unemployment ratio', 'Effects', 'International Human Rights Day', 'Impact', 'Significance', 'Legal effect', 'Reaction', 'Praise', 'Criticism', 'Islamic countries', '"The Right to Refuse to Kill"', 'American Anthropological Association', 'Maine and Nebraska district results', 'Ballot access', 'Voter demographics', 'Aftermath', 'Post recount', 'Voting machines', 'Exit polling and declaration of vote winners', 'Ralph Nader spoiler controversy', 'Press influence on race', 'Color coding', 'Preparation for war', 'Menzies Government', 'World War II', "Menzies' resignation", 'Fadden Government', 'Demise of the party', 'Electoral performance', 'Leaders', 'See also', 'References', 'Counterplay', 'Grappling / Takedowns', 'Projectiles', 'Rushdown', 'Spacing / Zoning', 'Turtling', 'Special attacks', 'Matches and rounds', 'Character selection', 'Multiplayer modes', 'Secondary sources', 'Family', 'Military and political career']]



['Wikipedia: Rhein', 'Wikipedia: Software engineering', 'Wikipedia: Singapore', 'Wikipedia: Skin', 'Wikipedia: Suleiman I', 'Wikipedia: Soong Mei-ling', 'Wikipedia: Superfetation', 'Wikipedia: Economy of Trinidad and Tobago', 'Wikipedia: Tide', 'Wikipedia: The Goodies', 'Wikipedia: USS Scorpion']
[['Invention and early development', 'Modicon', 'Allen-Bradley', 'Early methods of programming', 'Architecture', 'Mechanical design', 'Discrete and analog signals', 'Redundancy', 'Turkish===', 'United Kingdom', 'UK Apple keyboard', 'United Kingdom (Extended) Layout', 'Mac OS', 'Windows', 'Chrome OS', 'United States===', 'US-International', 'US-International in the Netherlands', 'Geographic distribution', 'Europe', 'Asia', 'North America', 'As an international language', 'Dialects', 'Derived languages', 'Alphabet', 'Transliteration', 'Computing', 'Polarization', 'Limiting factors', 'Beam path and range', 'Noise', 'Interference', 'Clutter', 'Jamming', 'Radar signal processing', 'Distance measurement', 'Transit time', 'Places', 'Ships', 'People', 'Other uses', 'Steroid use accusations', 'Adultery accusations', 'Other media', 'Awards and recognition', 'Personal life', 'See also', 'References'], ['Marriage and family relationships', 'Reign of Edward IV', 'Estates and titles', 'Exile and return', '1471 military campaign', '1475 invasion of France', 'Council of the North', 'War with Scotland', 'King of England', "Buckingham's rebellion of 1483", 'Childhood', 'The "Great Cause"', 'Earl of Carrick (1292–1306)', 'The Bruces regroup', 'Beginning of the Wars of Independence', 'Guardian', 'Murder of John Comyn', 'Early reign (1306–1314)', 'War of Robert the Bruce', 'Battle of Bannockburn', 'Africa', 'Asia', 'Europe', 'North America', 'Latin America and the Caribbean', 'Oceania', 'International organisations', 'Social and political theory', 'Criticism of capitalism', 'Marxism', 'History', 'Definitions', 'Fields', 'Software requirements', 'Software design', 'Software development', 'Current staff', 'Achievements', 'Individual awards', 'Radio and television', 'San Francisco 49ers radio broadcasters history', 'Radio affiliates', 'California', 'Hawaii', 'Nevada', 'Oregon', 'Air arm', 'Current inventory', 'References', 'Further reading', 'Geographical regions', 'Coastal plain', 'Upland areas', 'Eastern plateau', 'Water', 'Climate', 'Resources and land use', 'History', 'Linguistics', 'Relationships with spoken languages', 'Spatial grammar and simultaneity', 'Non-manual elements', 'Iconicity', 'Classification', 'Typology', 'Acquisition', 'Written forms', 'Structure in humans and other mammals', 'Epidermis', 'Basement membrane', 'See also', 'Church', 'Literature', 'Names', 'Personal names', 'Surnames', 'Phonology', 'Grammar', 'Noun inflection', 'Verb inflection', 'Word order', 'Early life', 'Education', 'Madame Chiang', '"Warphans"', 'Use in religious texts', 'Historical origins', 'Traditional jurisprudence (fiqh)', 'Principles of jurisprudence (uṣūl al-fiqh)', 'Sources of Sharia', 'Ijtihad', 'Decision types (aḥkām)', 'Aims of Sharia and public interest', 'Branches of law', 'Schools of law', 'Other animals', 'Humans', 'References', 'Greater Western Sydney', 'West Coast Eagles', 'Hawthorn', 'VFL and AFL premierships', 'Premiers', 'Defeated in grand finals', 'Players and staff', 'Current squad', 'Officials', 'Reserves team', 'Lull in the fighting', 'Continuation of war', 'Ceasefire', 'International reactions', 'Foreign involvement', 'Aftermath', 'China', 'India', 'Internment and deportation of Chinese Indians', 'Subsequent conflicts', 'Illustrations', 'Influences', 'Themes', 'Publication history', 'Editions and revisions', 'Posthumous publication of drafts', 'Translations', 'Reception', '1950s', 'Later', 'Synopsis', 'Origins', 'Production', 'Themes', 'Religion', 'Power', 'Unity', "Hitler's speeches", 'Response', 'Controversy', 'Administrative divisions', 'International organization participation', 'References'], ['Cooperation theory', 'Operations research', 'Game theory', "Prisoner's dilemma", 'Darwinian context', 'Social Darwinism', 'The social contract and morality', 'Modern developments', 'Italian', 'Russian', 'Nordic', 'Hong Kong', 'Taiwanese cuisine abroad', 'USA', 'Culinary education', 'Culinary schools', 'See also', 'References', 'Publication history', 'References'], ['Specific systems', 'Practical applied triage', 'Scoring systems', 'S.T.A.R.T. model', 'JumpSTART triage', 'Hospital systems', 'Conventional classifications', 'Australia and New Zealand', 'Canada', 'Finland', 'Notes', 'References', 'Bibliography'], ['Films', 'Style', 'Readership', 'Eustace Tilley', 'Covers', '"View of the World" cover', '9/11', '"New Yorkistan"', 'Controversial covers', 'Crown Heights in 1993', 'Overview', 'Discovery and naming of transuranium elements', 'Superheavy elements', 'Applications', 'See also', 'References', 'Further reading', 'Costs', 'Individual', 'Social', 'Sociopolitical', 'Benefits', 'Decline in work hours', 'Remedies', 'Demand-side solutions', 'Supply-side solutions', 'History', 'Bangkok Declaration', 'Support and promotion of the UDHR', 'International Federation for Human Rights', 'Amnesty International', 'Quaker United Nations Office and American Friends Service Committee', 'American Library Association', 'Youth for Human Rights International', 'See also', 'Human rights', 'Non-binding agreements', 'Effects on future elections and Supreme Court', 'See also', 'Footnotes', 'References', 'Further reading', 'Books', 'Journal articles', 'Papers'], ['Further reading'], ['All set index articles', 'History', 'Late 1970s to early 1990s', 'Early 1990s', 'Late 1990s', 'Early 2000s', 'Late 2000s to present', 'Best selling franchises', 'See also', 'References', 'Early career', 'Invasion of Britannia (43)', 'Later political career (51–66)', 'First Jewish–Roman War (66–69)', 'Year of the Four Emperors (69)', 'Emperor (69–79)', 'Aftermath of the civil war', 'Arrival in Rome and gathering support', 'Propaganda campaign', 'Construction and conspiracies']]



['Wikipedia: Rungholt', 'Wikipedia: Robert E. Howard', 'Wikipedia: Los Angeles Chargers', 'Wikipedia: Demographics of Syria', 'Wikipedia: Sydney Opera House', 'Wikipedia: Steenbeck', 'Wikipedia: Thai cuisine', 'Wikipedia: The Replacements (band)', 'Wikipedia: Natural Law Party (United States)', 'Wikipedia: Joint Intelligence Committee (United Kingdom)', 'Wikipedia: Video game developer']
[['Programming', 'Simulation', 'Control example shown in ladder diagram', 'Functionality', 'Basic functions', 'Communication', 'User interface', 'Process of a scan cycle', 'Security', 'Safety PLC', 'Apple International English Keyboard', 'Vietnamese', 'Alternatives', 'Comparison to other keyboard input systems', 'Half QWERTY', 'See also', 'References', 'Informational notes', 'Citations'], ['Orthography', 'Phonology', 'Consonants', 'Vowels', 'Grammar', 'Vocabulary', 'History and examples', 'See also', 'Notes', 'References', 'Frequency modulation', 'Speed measurement', 'Pulse-Doppler signal processing', 'Reduction of interference effects', 'Plot and track extraction', 'Engineering', 'Antenna design', 'Parabolic reflector', 'Types of scan', 'Slotted waveguide', 'See also', 'Location', 'History', 'Biography', 'Early years', 'First writings', 'Professional writer', 'Sword and sorcery', 'Death at the Battle of Bosworth Field', 'Issue', 'Legacy', 'Reputation', 'In culture', 'Discovery of remains', 'Reburial and tomb', 'Titles, styles, honours and arms', 'Arms', 'Ancestry', 'Mid-reign (1314–1320)', 'Further confrontation with England then the Irish conflict', 'Later reign (1320–1329)', 'Death (1329)', 'Death and aftermath', 'Burial', "Discovery of the Bruce's tomb", 'Issue', 'Ancestry', 'Legacy', 'Role of the state', 'Utopian versus scientific', 'Reform versus revolution', 'Economics', 'Planned economy', 'Self-managed economy', 'State-directed economy', 'Market socialism', 'Politics', 'Anarchism', 'Software testing', 'Software maintenance', 'Education', 'Profession', 'Employment', 'Certification', 'Impact of globalization', 'Controversy', 'Criticism', 'See also', 'See also', 'References', 'Further reading'], ['Name and etymology', 'History', 'Ancient Singapore', 'British colonisation', 'World War II', 'Post-war period', 'Within Malaysia', 'Republic of Singapore', 'Government and politics', 'Area and boundaries', 'Environmental concerns', 'References', 'Sign perception', 'In society', 'Deaf communities and deaf culture', 'Use of sign languages in hearing communities', 'Legal recognition', 'Telecommunications', 'Interpretation', 'Remote interpreting', 'Interpretation on television', 'Language endangerment and extinction', 'Dermis', 'Papillary region', 'Reticular region', 'Subcutaneous tissue', 'Detailed cross section', 'Structure in Fish, Amphibians, Birds, and Reptiles', 'Fish', 'Amphibians', 'Overview', 'Granular Glands', 'Description', 'Performance venues and facilities', 'Other facilities', 'Construction history', 'Origins', 'Design and construction', 'Lexicon', 'Loanwords into other languages', 'Writing system', 'Alphabet', 'Orthography', 'Common words and phrases with Irish and Manx equivalents', 'References', 'Notes', 'Citations', 'Resources', 'Visits to the U.S.', 'Later life', 'Death', 'Appraisals by international press', 'Gallery', 'Internet video', 'See also', 'References', 'Bibliography'], ['Pre-modern Islamic legal system', 'Jurists', 'Courts', 'Socio-political context', 'Women, non-Muslims, slaves', 'Modern legal reforms', 'Under colonial rule', 'Ottoman empire', 'Nation states', 'Islamization'], ['References'], ['Honour roll', 'Team records', 'Individual awards', 'Best and Fairest', 'Brownlow Medal winners', 'South Melbourne', 'Sydney', 'Norm Smith Medal winners', 'Leigh Matthews Trophy winners', 'Coleman Medal winners', 'Diplomatic process', 'Military awards', 'Param Vir Chakra', 'Maha Vir Chakra', 'In popular culture', 'See also', 'Notes', 'References', 'Bibliography', 'Further reading', 'Awards', 'Adaptations', 'Radio', 'Film', 'Stage', 'Legacy', 'Influence on fantasy', 'Music', 'Impact on popular culture', 'Notes', 'Wehrmacht objections', 'Influences and legacy', 'Copyright', 'In Germany', 'In the US', 'See also', 'Notes', 'References', 'Further reading'], ['Regional financial center', 'Communications and mobile', 'Energy sector', 'Job market', 'Tourism', 'Tourist arrival statistics', 'Creative industries', 'Miscellaneous', 'See also', "Axelrod's tournaments", 'Foundation of reciprocal cooperation', 'Subsequent work', 'Summary and current understanding', 'Software', 'Recommended reading', 'See also', 'References', 'Bibliography'], ['Further reading'], ['History', 'Characteristics', 'Definitions', 'Tidal constituents', 'Principal lunar semi-diurnal constituent', 'Range variation: springs and neaps', 'Lunar distance', 'Other constituents', 'Phase and amplitude', 'History', 'France', 'Germany', 'Hong Kong', 'Japan', 'Singapore', 'Spain', 'United Kingdom', 'United States', 'United States military', 'Limitations of current practices', 'Beginnings', 'Career before The Goodies', 'The Goodies television series', 'DVD and VHS releases', 'Awards and nominations', 'International releases and repeats of the TV series', 'Britain', 'Australia', 'Canada', '2008 Obama cover satire and controversy', '2013 Bert and Ernie cover', 'Books', 'Movies', 'See also', 'Notes', 'References'], ['History', 'Formation and early years (1978–1980)', 'Demo tape and Twin/Tone Records (1980–1981)', 'Industrial Revolution to late 19th century', '20th century', '21st century', 'See also', 'Notes', 'References'], ['International human rights law', 'Thinkers influencing the Declaration', 'Other', 'Notes', 'Citations', 'References', 'Further reading'], ['Audiovisual materials', 'Political stand', 'Founding', 'Elections campaigns', '1992', 'Articles with short description', 'Set indices on ships', 'Short description is different from Wikidata', 'United States Navy ship names', 'Types', 'First-party developer', 'Second-party developer', 'Third-party developers', 'Roman expansion in Britain (78–79)', 'Death (79)', 'Legacy', 'Portraits', 'Ancestry', 'See also', 'References', 'Sources', 'Primary sources', 'Secondary sources']]



['Wikipedia: Quake III Arena', 'Wikipedia: Rush (band)', 'Wikipedia: Ralph Merkle', 'Wikipedia: Restriction fragment length polymorphism', 'Wikipedia: Software Engineering Institute', 'Wikipedia: Seleucid Empire', 'Wikipedia: Soong sisters', 'Wikipedia: Speciesism', 'Wikipedia: Simple module', 'Wikipedia: The Doors', 'Wikipedia: Titanium', 'Wikipedia: Telecommunications in Trinidad and Tobago', 'Wikipedia: The Machinery of Freedom', 'Wikipedia: Tolstoy family', 'Wikipedia: T. H. White', 'Wikipedia: Unicode', 'Wikipedia: Universalism', 'Wikipedia: Volcano']
[['PLC compared with other control systems', 'PLC Chip / Embedded Controller', 'Cam timers', 'Microcontrollers', 'Single-board computers', 'PID Controllers', 'Programmable logic relays (PLR)', 'See also', 'References', 'Bibliography', 'Gameplay', 'Characters', 'Development', 'Citations', 'Sources'], ['Phased array', 'Frequency bands', 'Modulators', 'Coolant', 'Regulations', 'See also', 'Notes and references', 'Bibliography', 'References', 'General', 'Legends and later reception', 'See also', 'References'], ['Lovecraft Circle', 'Conan', 'New markets', 'Novalyne Price', 'Death', 'Health', 'Character sketch', 'Attitudes', 'Physical', 'Leisure activities', 'See also', 'Notes', 'References', 'Sources', 'Further reading'], ['Commemoration and monuments', 'Legends', 'Depictions in modern culture', 'Opera', 'Films', 'Television', 'Video games', 'See also', 'Notes', 'References', 'Democratic socialism and social democracy', 'Ethical and liberal socialism', 'Leninism and precedents', 'Libertarian socialism', 'Religious socialism', 'Social movements', 'Syndicalism', 'Criticism', 'See also', 'Notes', 'References', 'Citations', 'Sources', 'Further reading'], ['Franchise history', 'Early days in the AFL and post-merger years', 'Air Coryell era and subsequent collapse', '1989–1994: Super Bowl bound', '1995–2001', '2002–2005: Marty Schottenheimer era', '2006–2009', '2010–2012: End of the Norv Turner/A.J. Smith era', '2013–2016: Mike McCoy era and final years in San Diego', 'Foreign relations', 'Military', 'Human rights', 'Geography', 'Nature', 'Climate', 'Economy', 'Employment', 'Industry sectors', 'Tourism', 'Human toll of Syrian Civil War', 'Forced displacement', 'Birth-Death Rate', 'Population', 'Age structure', 'Median age', 'Population decline rate', 'Birth rate', 'Death rate', 'Net migration rate', 'Communication systems similar to sign language', 'Manual codes for spoken languages', '"Baby sign language" with hearing children', 'Home sign', 'Primate use', 'Gestural theory of human language origins', 'References', 'Bibliography', 'Further reading', 'Academic journals related to sign languages', 'Mucous Glands', 'Birds and reptiles', 'Development', 'Functions', 'Mechanics', 'Aging', 'Society and culture', 'See also', 'References'], ['Stage I: Podium', 'Stage II: Roof', 'Stage III: Interiors', "Significant changes to Utzon's design", 'Completion and cost', "Strike and Workers' Control", 'Utzon and his resignation', 'Architectural design role of Peter Hall', 'Opening', 'Performance firsts'], ['Name', 'History', 'History', 'Three sisters', 'Cultural materials', 'Role in contemporary Islam', 'In state laws', 'Types of legal systems', 'Constitutional law', 'Family law', 'Criminal law', 'Muslim-minority countries', 'Court procedures', 'Criminal cases', 'Civil cases', 'History', 'Origin of the term', 'Preceding ideas', 'AFL Rising Star winners', 'Mark of the Year winners', 'Australian Football Hall of Fame inductees', 'Team of the Century', 'Corporate', 'Administration', 'Supported charities', 'Media coverage', 'Print', 'Radio'], ['Examples', 'Basic properties of simple modules', 'References', 'Primary', 'Secondary', 'Sources'], ['Characteristics', 'Physical properties', 'Chemical properties', 'References'], ['Radio and television', 'Overview', 'Reception', 'Related books', 'Historical influences', 'Regional variations', 'Royal cuisine', 'Serving', 'Ingredients', 'Rice, noodles and starches', 'Pastes and sauces', 'Vegetables, herbs and spices', 'Fruits', 'Food controversies', 'History of tidal theory', 'History of tidal observation', 'Physics', 'Forces', 'Equilibrium', "Laplace's tidal equations", 'Amplitude and cycle time', 'Dissipation', 'Bathymetry', 'Observation and prediction', 'Ethical considerations', 'Utilitarian approach', 'Special population groups', 'See also', 'References', 'Germany', 'New Zealand', 'Spain', 'US', 'Books', 'Goodies books, written by the Goodies', 'Books about the Goodies, written by other people', 'Goodies songs', 'Goodies Theme', 'Other collaborations', 'Early life', 'Education and teaching', 'Writing', 'Later life', 'Death', 'Early releases (1981–1982)', 'Hootenanny and Let It Be (1983–1984)', 'Early major-label releases (1985–1988)', "Don't Tell a Soul and All Shook Down (1989–1990)", 'Breakup (1991–2011)', 'Reunion (2012–2015)', 'Live performances', 'Legacy', 'Members', 'Timeline', 'Origin and development', 'History', 'Unicode Consortium', 'Scripts covered', 'Versions', 'Architecture and terminology==', 'Philosophy', 'Universality', 'Moral universalism', 'Religion', '1994', '1995', '1996–1998', '2000', '2004', '2006', '2008', '2012', '2016', '2018', 'History', 'Role in the Iraq dossier', 'Structure', 'Role and functions', 'Intelligence requirements', 'Foreign liaison', 'Chairs of the Joint Intelligence Committee', 'See also', 'References', 'Indie game developers', 'Quality of life', '"Crunch time"===', 'Unionization', 'Contract workers', 'Demographics of game development', 'See also', 'References', 'Bibliography'], ['Further reading'], ['Etymology']]



['Wikipedia: Peter David', 'Wikipedia: Royal Air Force', 'Wikipedia: Rhythm guitar', 'Wikipedia: Sabine River (Texas–Louisiana)', 'Wikipedia: String (computer science)', 'Wikipedia: Sunlight', 'Wikipedia: Second Epistle of Peter', 'Wikipedia: Supersessionism', 'Wikipedia: Sonar', 'Wikipedia: Transport in Trinidad and Tobago', 'Wikipedia: Tunneling', 'Wikipedia: The Lizard', 'Wikipedia: Twin cities', 'Wikipedia: University of Arizona', 'Wikipedia: USS Ohio', 'Wikipedia: History of video games']
[['Further reading', 'Early life', 'Career', 'Game engine', 'Mods', 'Expansion', 'Ports', 'Official', 'Source ports', 'Reception', 'Sales', 'Critical reception', 'Competitive play', 'History', '1968–1974: Early blues- and hard rock-oriented years', '1974–1976: Neil Peart joins, foray into progressive rock', '1977–1981: Peak progressive era', '1982–1989: Synthesizer-oriented era', '1989–2002: Return to guitar-oriented sound, hiatus', '2002–2009: Comeback, Vapor Trails, and Snakes & Arrows', '2009–2013: Time Machine Tour and Clockwork Angels', "2013–2020: R40 Tour, disbandment and Peart's death", 'Musical style and influences', 'Technical reading'], ['History', 'Contributions', 'Career', 'Personal life', 'Awards', 'References'], ['Writing', 'Styles and themes', 'Influence and influences', 'Criticism', 'Earnings', 'Letters', 'Legacy', 'Adaptations', 'Bibliography', 'See also', 'RFLP analysis', 'Examples', 'Applications', 'Alternatives', 'See also', 'References'], ['Bibliography'], ['Rock and pop', 'References', 'Further reading'], ['Authority', 'Areas of work', 'Management practices', 'Engineering practices', 'Security', 'Special programs', 'SEI Partner Network', 'Conferences', '2017–present: Return to Los Angeles', 'Logos and uniforms', 'Players of note', 'Current roster', 'Retired numbers', 'Pro Football Hall of Famers', 'Chargers Hall of Fame', '50th Anniversary Team', 'San Diego Hall of Champions', 'Staff', 'Infrastructure', 'Transport', 'Fresh water', 'Demographics', 'Religion', 'Languages', 'Education', 'Healthcare', 'Culture', 'Arts', 'Sex ratio', 'Demographic statistics', 'Population centers', 'Urbanization', 'Major urban areas', 'Race and ethnicity', 'Religion', 'Economic class - Literacy', 'Languages', 'References'], ['String datatypes', 'String length', 'Measurement', 'Composition and power', 'Published tables', 'Reconciliation with Utzon; building refurbishment', 'Public and commemorative events', 'Advertising controversy', 'Notable performances', 'Awards', 'Cultural references', 'See also', 'References', 'Attribution', 'Bibliography', "Partition of Alexander's empire", 'Rise of Seleucus', 'Babylonian War (311–309 BC)', 'Seleucid–Mauryan War (305–303 BC)', 'Westward expansion', 'Breakup of Central Asian territories', 'Revival (223–191 BC)', 'Expansion into Greece and war with Rome', 'Roman power, Parthia and Judea', 'Civil war and further decay', 'See also', 'References', 'Bibliography'], ['Diya', 'Role of fatwas', 'Role of hisba', 'Support and opposition', 'Support', 'Opposition', 'Contemporary debates and controversies', 'Compatibility with democracy', 'General Muslim views', 'Islamic political theories', 'Spread of the idea', 'Arguments against', 'Moral community, argument from marginal cases', '"Discontinuous mind"', 'Animal holocaust', 'Centrality of consciousness', 'Arguments in favor', 'Philosophical', 'Religious', 'Social psychology', 'Television', 'See also', 'References'], ['Simple modules and composition series', 'The Jacobson density theorem', 'See also', 'References', 'History', 'Origins (July 1965 – August 1966)', 'The Doors and Strange Days (August 1966 – December 1967)', 'New Haven incident (December 1967)', 'Waiting for the Sun (April–December 1968)', 'Miami incident (March 1969)', 'The Soft Parade (May–July 1969)', 'Morrison Hotel and Absolutely Live (November 1969 – December 1970)', 'Occurrence', 'Isotopes', 'Compounds', 'Oxides, sulfides, and alkoxides', 'Nitrides and carbides', 'Halides', 'Organometallic complexes', 'Anticancer therapy studies', 'History', 'Production and fabrication', 'Telephones', 'Internet', 'Internet censorship and surveillance', 'See also', 'References'], ['See also', 'Notes', 'References'], ['Agricultural chemicals', 'Misrepresentation', 'Representative dishes', 'Breakfast dishes', 'Individual dishes', 'Central Thai shared dishes', 'Northeastern shared dishes', 'Northern shared dishes', 'Southern shared dishes', 'Desserts and sweets', 'Timing', 'Analysis', 'Example calculation', 'Current', 'Power generation', 'Navigation', 'Biological aspects', 'Intertidal ecology', 'Biological rhythms', 'Other tides', 'Origins', 'In the Napoleonic wars', 'In high society', 'In Russian literature', 'After the Russian revolution', 'Notable people', 'Places', 'Quotes', 'Goodies reunion shows', '2005 Australian reunion shows', '2006 and 2007 UK reunion shows', "2009 World's Funniest Island and Riverside", '2010 The One Show', '2013: An Oldie but a Goodie', 'Cultural influence', 'Honours', 'Awards', 'Viewer incidents', 'Personal life', 'Influence', 'Selected bibliography', 'Notes', 'Sources'], ['Discography', 'References'], ['Code point planes and blocks', 'General Category property', 'Abstract characters', 'Ready-made versus composite characters', 'Ligatures', 'Standardized subsets', 'Mapping and encodings', 'Adoption', 'Operating systems', 'Input methods', "Bahá'í Faith", 'Buddhism', 'Christianity', 'History', 'Universalist theology', 'Mistranslations', 'Catholicism', 'Hinduism', 'Hindu universalism', 'Islam', 'Presidential tickets', 'References', 'Further reading'], ['Further reading'], ['All set index articles', 'Early history (1948–1970)', '1970s', 'Birth of the video game industry (1971−1974)', 'Plate tectonics', 'Divergent plate boundaries', 'Convergent plate boundaries', 'Hotspots', 'Volcanic features', 'Fissure vents', 'Shield volcanoes', 'Lava domes', 'Cryptodomes', 'Volcanic cones (cinder cones)']]



['Wikipedia: Quake II', "Wikipedia: Rice's theorem", 'Wikipedia: Rocket-propelled grenade', 'Wikipedia: Politics of Syria', 'Wikipedia: Selim II', 'Wikipedia: Tom Stoppard', 'Wikipedia: Transpositional pun', 'Wikipedia: Divine Comedy', 'Wikipedia: USS Kitty Hawk (CV-63)']
[['Early work', 'Comics career', '1980s', '1990s', '2000s', '2010s', 'Novels', 'Writing habits and approach', 'Other published work', 'Other media', 'See also', 'Notes', 'References'], ['Personnel', 'Definitive lineup', 'Former members', 'Reputation and legacy', 'Geddy Lee', 'Alex Lifeson', 'Neil Peart', 'Sales', 'Live performances', 'Philanthropy', 'Origins', 'Second World War', 'Cold War era', 'Recent history', 'Structure', 'Senior management', 'Air Command', 'Groups', 'Stations', 'United Kingdom', 'Introduction', 'Formal statement', 'Examples', "Proof by Kleene's recursion theorem", 'Proof by reduction from the halting problem', 'Proof sketch', 'Notes', 'Footnotes', 'Citations', 'References', 'Further reading'], ['Online editions', 'Scholarly sources', 'History', 'Predecessor weapons', 'First shaped charge, portable weapons', 'Rock and pop rhythms', 'Rock and pop harmony', 'Arpeggios', 'Riffs', 'Interaction with other guitarists', 'Crossover with keyboards', 'Replacing lead guitar', 'Equipment', 'Jazz', 'Jazz harmony', 'Description', 'History', 'River transportation', 'Ferries', 'Border dispute', 'Riverboats', 'Toledo Bend reservoir', 'Sabine River Diversion Canal', 'In literature and music', 'January 2010 oil spill', 'Education and training', 'Membership program', 'Affiliate program', 'Software Process Achievement award program', 'Research and publications', 'Controversies', 'Focus of progressive protests', 'References in popular culture', 'See also', 'References', 'Head coaches', 'Current staff', 'Radio and television', 'Radio affiliates', 'English stations', 'California', 'Nevada', 'Spanish stations', 'Mexico', 'Theme song', 'Cuisine', 'Sport and recreation', 'Media', 'See also', 'References', 'Bibliography'], [], ['Background', "Neo-Ba'athism", 'Character encoding', 'Implementations', 'Representations', 'Null-terminated', 'Byte- and bit-terminated', 'Length-prefixed', 'Strings as records', 'Other representations', 'Security concerns', 'Literal strings', 'Solar constant', 'Total solar irradiance (TSI) and spectral solar irradiance (SSI) upon Earth', 'Intensity in the Solar System', 'Surface illumination', "Spectral composition of sunlight at Earth's surface", 'Variations in solar irradiance', 'Seasonal and orbital variation', 'Solar intensity variation', 'Life on Earth', 'Cultural aspects', 'Archival holdings'], ['Early life', 'Collapse (100–63 BC)', 'Culture', 'Family tree of Seleucids', 'List of Seleucid rulers', 'See also', 'References', 'Further reading'], ['Composition', 'Canonical acceptance', 'Content', 'Outline', 'See also', 'Notes', 'References'], ['Online translations of the epistle', 'European Court of Human Rights', 'Compatibility with human rights', 'Blasphemy', 'Apostasy', 'LGBT rights', 'Terrorism', 'Women', 'Domestic violence', 'Personal status laws and child marriage', "Women's property rights", 'Law and policy', 'Law', 'Great ape personhood', 'Films and television series with themes around speciesism', 'See also', 'Notes', 'References', 'Further reading'], ['Etymology', 'Christian views', 'New Testament', 'Church fathers', 'Roman Catholicism', 'Protestant', 'Mormonism', 'Jewish views', 'Islam and supersessionism', 'History', 'ASDIC', 'SONAR', 'US Navy Underwater Sound Laboratory', 'Materials and designs in the US and Japan', 'Later developments in transducers', 'Active sonar', 'Project Artemis', 'Transponder', "L.A. Woman and Morrison's death (December 1970 – July 1971)", 'After Morrison', 'Other Voices and Full Circle (July 1971 – January 1973)', 'Reunions', 'After the Doors', 'Legacy', 'Band members', 'Discography', 'Studio albums', 'Videography', 'Applications', 'Pigments, additives, and coatings', 'Aerospace and marine', 'Industrial', 'Consumer and architectural', 'Jewelry', 'Medical', 'Nuclear waste storage', 'Bioremediation', 'Precautions', 'Air service', 'Public transport', 'Ferry service', 'Railways', 'Roads', 'Statistics', 'See also', 'See also', 'Life and career', 'Khong wan', 'Ice cream', 'Beverages', 'Insects', 'Street food, food courts, and market food', 'Vegetarianism in Thailand', 'Thai royal cuisine', 'Culinary diplomacy', 'Awards', 'Michelin stars', 'Lake tides', 'Atmospheric tides', 'Earth tides', 'Galactic tides', 'Misnomers', 'See also', 'Notes', 'References', 'Further reading'], ['References'], ['Examples', 'See also', 'References', 'Further reading'], ['History', 'Nautical', 'Avionic', 'Political', 'Technological', 'Geology', 'Ecology', 'Examples', 'Africa', 'Americas', 'North America', 'South America', 'International', 'Historic', 'Asia', 'Current', 'Europe', 'Email', 'Web', 'Fonts', 'Newlines', 'Issues', 'Philosophical and completeness criticisms', 'Mapping to legacy character sets', 'Indic scripts', 'Combining characters', 'Anomalies', 'Judaism', 'Manichaeism', 'Sikhism', 'Unitarian Universalism', 'Zoroastrianism', 'Critics', 'References', 'Sources', 'Further reading'], ['History', 'Academics', 'Rankings', 'Admissions', 'Tuition', 'Honors College', 'Research', 'Publications', 'Global teaching and research', 'Articles with short description', 'Set indices on ships', 'Short description is different from Wikidata', 'United States Navy Ohio-related ships', 'United States Navy ship names', 'First generation of home consoles and the Pong clones (1975–1977)', 'Mainframe computer games (1971–1979)', 'Golden age', 'Golden age of arcade video games (1978–1982)', 'Second generation consoles (1976–1982)', 'Early home computer games (1976–1982)', '1980s', 'Gaming computers', 'Early online gaming', 'Handheld LCD games', 'Stratovolcanoes (composite volcanoes)', 'Supervolcanoes', 'Underwater volcanoes', 'Subglacial volcanoes', 'Mud volcanoes', 'Erupted material', 'Lava composition', 'Lava texture', 'Volcanic activity', 'Popular classification of volcanoes']]



['Wikipedia: Revolutionary Association of the Women of Afghanistan', 'Wikipedia: Synergy', 'Wikipedia: Software crisis', 'Wikipedia: S', 'Wikipedia: Demographics of Singapore', 'Wikipedia: Stellar evolution', 'Wikipedia: Silesia', 'Wikipedia: Second Epistle of John', 'Wikipedia: Steelman language requirements', 'Wikipedia: Software cracking', 'Wikipedia: Tamil', 'Wikipedia: Technetium', 'Wikipedia: Trinidad and Tobago Defence Force', 'Wikipedia: Tidal force', 'Wikipedia: Tom Daschle', 'Wikipedia: Huckleberry Finn (disambiguation)', 'Wikipedia: Uranium', 'Wikipedia: Unitarian Universalist Association']
[['Awards and nominations', 'Awards', 'Nominations', 'Public image', 'Personal life', 'Bibliography', 'References'], ['Interviews', 'Gameplay', 'Multiplayer', 'Plot', 'Development', 'Ports', 'Unofficial', 'Mods', 'Release', 'Quake II RTX', 'Discography', 'Concert tours', 'See also', 'References', 'Further reading', 'Books', 'Analysis and appreciation', 'Biographies', 'Memoirs', 'Scholarly articles', 'Overseas', 'Squadrons', 'Support wings and units', 'Expeditionary Air Wings', 'Training Schools', 'Flights', 'Personnel', 'Officers', 'Other ranks', 'Specialist training and education', 'Formal proof', "Rice's theorem and index sets", "An analogue of Rice's theorem for recursive sets", 'See also', 'Notes', 'References'], ['Background', 'Founder', 'Early activities', 'RAWA after the 2001 invasion', 'Recent activities', 'Design', 'Warheads', 'Effectiveness', 'Protection', 'Weapons by country', 'United States', 'Soviet Union and Russian Federation', 'France', 'Germany', 'Israel', 'Big band rhythm', 'Small group comping', 'Gypsy pumping', 'Jazz chord soloing', 'Funk', 'Reggae', 'See also', 'References'], ['2016 flooding', 'Aftermath', 'See also', 'References', 'Further reading'], ['Further reading'], ['See also', 'References'], ['History', 'Demographics trends and key rates', 'Population size and growth by residential status', 'Gender composition of resident population', 'Age distribution of resident population', 'Population pyramid===', 'Population growth', 'Government administration', 'Legislative branch', 'Political parties and elections', 'International organization participation', 'References'], ['Further reading', 'Non-text strings', 'String processing algorithms', 'Character string-oriented languages and utilities', 'Character string functions', 'Formal theory', 'Concatenation and substrings', 'Prefixes and suffixes', 'Reversal', 'Rotations', 'Lexicographical ordering', 'Effects on human health', 'Effect on plant genomes', 'See also', 'References', 'Further reading'], ['Reign', 'Character', 'Family', 'References', 'Sources', 'Further reading'], ['Etymology', 'History', 'Geography', 'Natural resources', 'Demographics', 'Other', 'Composition', 'Contents', 'Slavery', 'Comparison with other legal systems', 'Jewish law', 'Western legal systems', 'See also', 'References', 'Notes', 'Citations', 'Sources', 'Further reading', 'See also'], ['Types', 'See also', 'Notes', 'Further reading'], ['Performance prediction', 'Hand-held sonar for use by a diver', 'Passive sonar', 'Identifying sound sources', 'Noise limitations', 'Performance factors', 'Sound propagation', 'Scattering', 'Target characteristics', 'Countermeasures', 'Notes', 'References', 'Sources', 'Further reading'], ['See also', 'References', 'Bibliography'], ['References'], ['Regiment (Army)', 'Early years', 'Career', 'Themes', 'Personal life', 'Political views', 'Representations in art', 'Archive', 'Selected awards and honours', 'Awards', 'Honours', 'Culinary tours and cooking courses', 'Governmental interventions', 'Thai Delicious project', 'Salt reduction efforts', 'See also', 'References', 'Further reading'], ['Explanation', 'Size and distance', 'Sun, Earth, and Moon', 'See also', 'References', 'Early life and education', 'Structure and story', 'Inferno', 'Purgatorio', 'Paradiso', 'History', 'Manuscripts', 'Early printed editions', 'Thematic concerns', 'Scientific themes', 'Portrayal in literature, film and music', 'See also', 'References', 'Further reading', 'Oceania', 'Tri-cities', 'Quad cities', 'More than four cities', 'Examples of cities formed by amalgamation', 'Fictional twin cities', 'See also', 'Notes', 'References', 'See also', 'Notes', 'References', 'Further reading'], ['Congregations', 'Organization', 'Corporate status', 'Libraries', 'Academic organizations and centers', 'Campus', 'The Student Union Memorial Center', 'BookStores', 'The Arboretum at The University of Arizona', 'Organization', 'Athletics', 'Teams', "Men's basketball", 'Service history', '1961 to 1964', '1965 to 1972', '1973 to 1977', '1979 to 1998', '1998 to 2008 (Forward Deployed: Yokosuka, Japan)', 'Retirement', 'After decommissioning', 'Video game crash of 1983', 'Third generation consoles (1983–1995) (8-bit)', 'Fourth generation consoles (1987–2004) (16-bit)', '1990s', 'Resurgence and decline of arcades', 'Transition to 3D', 'Handhelds come of age', 'PC gaming', 'Fifth generation consoles (1993–2005) (32- and 64-bit)', 'Transition to 3D and CDs', 'Active', 'Extinct', 'Dormant and reactivated', 'Technical classification of volcanoes', 'Volcanic-alert level', 'Volcano warning schemes of the United States', 'Decade volcanoes', 'Effects of volcanoes', 'Volcanic gases', 'Significant consequences']]



['Wikipedia: Plenum', 'Wikipedia: Ronald Reagan', 'Wikipedia: Recusancy', 'Wikipedia: Ruth', 'Wikipedia: Red Hot Chili Peppers', 'Wikipedia: Swedish Academy', 'Wikipedia: Economy of Syria', 'Wikipedia: Satanism', 'Wikipedia: Smith', 'Wikipedia: Sequencing', 'Wikipedia: Sunnah', 'Wikipedia: Single-sideband modulation', 'Wikipedia: Texas', 'Wikipedia: Thylacine', 'Wikipedia: Toxicology', 'Wikipedia: Theremin', 'Wikipedia: Seven Samurai', 'Wikipedia: Tyrrhenian Sea', 'Wikipedia: UTF-8']
[['See also', 'Expansions', 'Quake II Mission Pack: The Reckoning', 'Quake II Mission Pack: Ground Zero', 'Quake II Netpack I: Extremities', 'Reception', 'Sales', 'Critical reviews', 'References'], [], ['Early life', 'Religion', 'Ranks', 'Aircraft', 'Combat Air', 'Typhoon', 'Lightning', 'Intelligence, Surveillance, Target Acquisition, and Reconnaissance (ISTAR)', 'Helicopters', 'Maritime', 'Air Mobility', 'Training aircraft', 'Definition', 'History', 'Prominent historical Catholics in the United Kingdom', 'Recusant families', 'Convert families', 'Individuals', 'Recognition', 'What others say about RAWA', 'See also', 'References', 'Further reading'], ['Sweden', 'Spain', 'Czechoslovakia', 'Poland', 'North Macedonia', 'Yugoslavia', 'China', 'Palestine', 'Ukraine', 'United kingdom', 'History', '1983–1984: Early history', "1985–1988: Building a following, drug abuse, and Slovak's death", '1988–1989: Frusciante and Smith join', 'History', 'Descriptions and usages', 'Biological sciences', 'Pest synergy', 'Drug synergy', 'Toxicological synergy', 'Human synergy', 'References'], ['History', 'Origin', 'Long s', 'Use in writing systems', 'Related characters', 'Descendants and related characters in the Latin alphabet', 'Derived signs, symbols, and abbreviations', 'Ancestors and siblings in other alphabets', 'Computing codes', 'Other representations', 'Chemistry', 'Population by area', 'Population policies', 'Population planning', '2013 Population White Paper', 'Ethnic groups', 'Early census figures', 'Post-independence census figures', 'Languages', 'Religion', 'Marriage and divorce', 'Basic information', 'External trade and investment', 'Debt', 'Sectors of the economy', 'Agriculture', 'Energy and mineral resources', 'String operations', 'Topology', 'See also', 'References', 'Star formation', 'Protostar', 'Brown dwarfs and sub-stellar objects', 'Main sequence', 'Mature stars', 'Low-mass stars', 'Mid-sized stars', 'People', 'Occupations', 'Arts and entertainment', 'Places', 'North America', 'Antarctica', 'Ethnicity', 'Religion', 'Consequences of World War II', 'Cities', 'Flags and coats of arms', 'World Heritage Sites', 'See also', 'Footnotes', 'References'], ['Interpretation of "The Lady"', 'See also', 'Notes', 'References'], [], ['Definitions and usage', 'Sunnah and hadith', 'Basic concept', 'History', 'Mathematical formulation', 'Lower sideband', 'Practical implementations', 'History', '+HCU', 'Methods', 'Trial reset', 'See also', 'References', 'Military applications', 'Anti-submarine warfare', 'Torpedoes', 'Mines', 'Mine countermeasures', 'Submarine navigation', 'Aircraft', 'Underwater communications', 'Ocean surveillance', 'Underwater security', 'See also', 'History', 'Search for element 43', 'Early misidentifications', 'Irreproducible results', 'Official discovery and later history', 'Characteristics', 'Physical properties', 'Chemical properties', 'Compounds', 'Special Forces', 'Coast Guard', 'Fleet', 'Air Guard', 'Aircraft', 'Current inventory', 'Defence Force Reserves', 'Ranks', 'References and links'], ['Published works', 'References', 'Further reading'], ['History', 'Basic principles', 'Evidence-based toxicology', 'Testing methods', 'Non-human animals', 'Effects', 'Formulation', 'See also', 'References'], ['House of Representatives (1979–1987)', 'United States Senate (1987–2005)', 'Party Leadership', 'Anthrax case in 2001', 'Views on abortion', '2004 Senate election', 'Post-Senate career', 'Career and public service', 'Obama campaign', 'Obama administration nomination', 'Theories of influence from Islamic philosophy', 'Literary influence in the English-speaking world and beyond', 'English translations', 'In the arts', 'Gallery', 'See also', 'Citations', 'Bibliography', 'Further reading'], ['See also', 'Plot', 'Geography', 'Extent', 'Exits', 'Basins', 'Characteristics', 'Applications', 'Military', 'Civilian', 'History', 'Pre-discovery use', 'Discovery', 'Fission research', 'Decentralized association', 'Principles and purposes', 'Principles', 'Sources', 'Purposes', 'Inclusion', 'Freedom of belief', 'General Assembly', 'Finances and membership fees', 'Alternate growth strategies', 'Football', 'Baseball', 'Soccer', 'Softball', 'Golf', "Men's lacrosse", 'Other', 'Individual national championships', 'Rivalries', 'Mascot', 'Awards and decorations', 'See also', 'Notes', 'References'], ['Mobile phone gaming', '2000s', 'Sixth generation consoles (1998–2013)', 'Return of alternative controllers', 'Online gaming rises to prominence', 'Mobile games', 'Seventh generation consoles (2005–present)', 'Increases in development budgets', 'Rise of casual PC games', 'Cloud computing comes to games', 'Prehistory', 'Historical', 'Acid rain', 'Hazards', 'Volcanoes on other celestial bodies', 'Traditional beliefs about volcanoes', 'See also', 'References', 'Further reading'], []]



['Wikipedia: Pretoria', 'Wikipedia: Qi', 'Wikipedia: Regular grammar', 'Wikipedia: Roy Jenkins', 'Wikipedia: Ska', 'Wikipedia: Show business', 'Wikipedia: Sudetes', 'Wikipedia: SOAP', 'Wikipedia: Foreign relations of Trinidad and Tobago', 'Wikipedia: Transport for London', 'Wikipedia: Vegetable farming', 'Wikipedia: Vesicle (biology and chemistry)']
[['History', 'Boer Wars', 'Union of South Africa', 'Geography', 'Climate', 'Demographics', 'Linguistic aspects', 'Pronunciation and etymology', 'Characters', 'Meanings', 'Formal education', 'Entertainment career', 'Radio and film', 'Military service', 'Screen Actors Guild presidency', 'FBI informant', "HUAC's Hollywood hearings", 'Television', 'Marriages and children', 'Early political career', 'Future aircraft', 'UK Military Flying Training System', 'Fixed wing', 'Rotary', 'Symbols, flags, emblems and uniform', 'Ceremonial functions and display', 'Red Arrows', 'Royal Air Force Music', 'Current deployments', 'See also', 'Other countries', 'See also', 'References'], ['Places', 'In geography', 'In space', 'People', 'Surname', 'Other uses', 'Art, entertainment, and media', 'Tactics', 'See also', 'References'], ["1990–1993: Breakthrough, international fame and Frusciante's first departure", '1994–1997: Transitional period', '1998–2001: Return of Frusciante and Californication', '2001–2004: By the Way', '2005–2007: Stadium Arcadium', '2008–2009: Klinghoffer replaces Frusciante', "2010–2014: I'm with You", '2015–2018: The Getaway', '2019–present: Frusciante replaces Klinghoffer', 'Legacy', 'Corporate synergy', 'Marketing', 'Revenue', 'Financial', 'Cash slack', 'Debt capacity', 'Tax benefits', 'Management', 'Cost', 'Synergistic action in economy', '2018 controversies', 'Awards and prizes', 'The Big Prize', 'Other awards', 'Current members', 'Permanent secretaries', 'See also', 'References', 'Other sources'], ['See also', 'References', 'Etymology', 'Literacy and education', 'Employment', 'Household income', 'Average household monthly income', 'Household income distribution', 'Growth in household income by decile', 'Household income disparity', 'International rankings', 'See also', 'References', 'Mining', 'Oil and natural gas', 'Electrical generation', 'Nuclear energy', 'Industry and manufacturing', 'Services', 'Banking and finance', 'Tourism', 'Labour', 'Opportunity Cost of Conflict', 'Definition', 'Etymology', 'Antagonism towards Satanism', 'Medieval and Early Modern Christendom', '18th to 20th century Christendom', 'Satanic ritual abuse hysteria', 'Artistic Satanism', 'Literary Satanism', 'Metal and rock music', 'Subgiant phase', 'Red-giant-branch phase', 'Horizontal branch', 'Asymptotic-giant-branch phase', 'Post-AGB', 'Massive stars', 'Supergiant evolution', 'Supernova', 'White and black dwarfs', 'Neutron stars', 'Outer space', 'Other places', 'Businesses', 'Other uses', 'See also', 'Etymology', 'Subdivisions', 'Climate', 'DNA sequencing', 'Sanger sequencing', 'Pyrosequencing', 'True single molecule sequencing', 'Large-scale sequencing', 'RNA sequencing', 'Protein sequencing', 'Polysaccharide sequencing', 'Sunnah Salat', 'Ahl as-Sunnah', 'In the Quran', 'History/etymology', 'First century of Islam', "al-Shafi'i", 'Systemization of hadith', 'Classical Islam', 'Modernist Islam', 'Islamic revivalism', 'Bandpass filtering', 'Hartley modulator', 'Weaver modulator', 'Full, reduced, and suppressed-carrier SSB', 'Demodulation', 'SSB as a speech-scrambling technique', 'Vestigial sideband (VSB)', 'Frequencies for LSB and USB in amateur radio voice communication', 'Extended single sideband (eSSB)', 'Amplitude-companded single-sideband modulation (ACSSB)', 'Characteristics', 'History', 'SOAP terminology', 'Protocol concepts', 'Data encapsulation concepts', 'Hand-held sonar', 'Intercept sonar', 'Civilian applications', 'Fisheries', 'Echo sounding', 'Net location', 'ROV and UUV', 'Vehicle location', 'Prosthesis for the visually impaired', 'Scientific applications', 'Etymology', 'Geography', 'Geology', 'Wildlife', 'Climate', 'Storms', 'Greenhouse gases', 'History', 'Pre-European era', 'Colonization', 'Pertechnetate and derivatives', 'Other chalcogenide derivatives', 'Simple hydride and halide complexes', 'Coordination and organometallic complexes', 'Isotopes', 'Occurrence and production', 'Fission waste product', 'Fission product for commercial use', 'Waste disposal', 'Neutron activation', 'Trinidad and Tobago and the Commonwealth of Nations', 'Bilateral relations', 'International organisations', 'Taxonomic and evolutionary history', 'Evolution', 'Description', 'Distribution and habitat', 'Ecology and behaviour', 'Breeding', 'Feeding and diet', 'Relationship with humans', 'Captivity', 'Alternative testing methods', 'Dose response complexities', 'Types', 'Medical toxicology', 'Clinical toxicology', 'Forensic toxicology', 'Computational toxicology', 'Toxicology as a profession', 'Requirements', 'Duties', 'History', 'Operating principles', 'Performance technique', 'Uses', 'Concert music', 'Popular music', 'Film music', 'Television', 'Withdrawal', 'Health policy', '9/11', 'Personal life', 'See also', 'Notes', 'References'], ['History', 'COVID-19 pandemic impacts', 'Organisation', 'Part 1', 'Part 2', 'Cast', 'The seven samurai', 'Villagers', 'Others', 'Production', 'Writing', 'Set design', 'Filming', 'Geology', 'Name', 'Islands', 'Ports', 'Winds', 'Image gallery', 'References', 'Nuclear weaponry', 'Reactors', 'Prehistoric naturally occurring fission', 'Contamination and the Cold War legacy', 'Occurrence', 'Origin', 'Biotic and abiotic', 'Production and mining', 'Resources and reserves', 'Supplies', 'Related organizations', 'Governance', 'President', 'Moderator', 'Boy Scouts of America controversy', 'Alternative UU-friendly scouting organizations', 'See also', 'References'], ['Fight song', 'ZonaZoo', 'Notable venues', 'Student life', 'Fraternities and sororities', 'Student clubs and organizations', 'Traditions', 'Marching band', 'School colors', 'Student government', 'Adoption', 'Encoding', 'Examples', 'Codepage layout', 'Overlong encodings', 'Invalid sequences and error handling', 'Byte order mark', 'Naming', '2010s', 'Eighth generation consoles (2012–present)', 'See also', 'References', 'Further reading'], ['Types of vesicular structures', 'Vacuoles', 'Lysosomes']]



['Wikipedia: Red Army', 'Wikipedia: Railtrack', 'Wikipedia: Svenska Dagbladet', 'Wikipedia: Politics of Singapore', 'Wikipedia: Telecommunications in Syria', 'Wikipedia: Snake River', 'Wikipedia: Shotgun sequencing', 'Wikipedia: SSB', 'Wikipedia: Tromelin Island', 'Wikipedia: Theodore Roosevelt', 'Wikipedia: Throughput', 'Wikipedia: Ted Nelson', 'Wikipedia: United Nations University']
[['Ethnic groups', 'Cityscape', 'Architecture', 'Central business district', 'Parks and gardens', 'Jacaranda city', 'Suburbs', 'Transport', 'Railway', 'Buses', 'English borrowing', 'Concept', 'Philosophical roots', 'Role in traditional Chinese medicine', 'Comparable concepts', 'Religious beliefs', 'Scientific view', 'Practices involving qi', 'Feng shui', 'Qigong', 'Governor of California (1967–1975)', '1976 presidential campaign', '1980 presidential campaign', 'Presidency (1981–1989)', 'First term', 'Prayer in schools and a moment of silence', 'Assassination attempt', "Air traffic controllers' strike", '"Reaganomics" and the economy', 'Civil rights', 'Footnotes', 'References', 'Bibliography'], ['Strictly regular grammars', 'Extended regular grammars', 'Examples', 'Expressive power', 'Mixing left and right regular rules', 'See also', 'References', 'Films', 'Literature', 'Music', 'Television', 'Bible', 'Brands and enterprises', 'Early life (1920–1945)', 'Early political career (1945–1965)', 'Home Secretary (1965–1967)', 'Chancellor of the Exchequer (1967–1970)', 'Shadow Cabinet (1970–1974)', 'Home Secretary (1974–1976)', 'President of the European Commission (1977–1981)', 'Social Democratic Party (1981–1987)', 'Peerage, achievements, books and death (1987–2003)', 'Activism', 'Musical style', 'Lyrics and songwriting', 'Sexual misconduct accusations', 'Members', 'Awards and nominations', 'Discography', 'Tours', 'See also', 'References', 'Synergistic determinants', 'Synergistic networks and systems', 'Synergy effects', 'Computers', 'Synergy in literature', 'Synergy as a book', 'Synergy in the media', 'Information theory', 'See also', 'References', 'History and profile', 'Circulation', 'Staff', 'History', 'Jamaican ska', '2 Tone', 'Third wave', 'United Kingdom', 'Germany, Spain, Australia, Russia, Japan and Latin America', 'United States and Canada', 'See also', 'References', 'Further reading'], ['Political background', 'Political climate', 'See also', 'References', 'Notes', 'Works cited'], ['Religious Satanism', 'Forerunners and early forms', 'Rationalistic Satanism', 'LaVeyan Satanism and the Church of Satan', 'First Satanic Church', 'The Satanic Temple', 'Theistic Satanism', 'Luciferianism', 'Order of Nine Angles', 'Temple of Set', 'Black holes', 'Models', 'See also', 'References', 'Further reading'], ['Industry', 'Sectors and companies', 'ISIC', 'See also', 'References', 'Vegetation', 'Timber line', 'Geology', 'Bedrock', 'Volcanism and thermal waters', 'Uplift and landforms', 'Mass wasting', 'History', 'Sudetes and "Sudetenland"', 'Economy and tourism', 'See also', 'References', 'Example', 'Alternatives to classical hadith based sunnah', '"Living sunnah"', 'Sunnah from practice not hadith', '"Inner states"', 'Basis of importance', 'Alternative view', 'Providing examples', 'Types of sunnah', 'Sciences of Sunnah', 'Sunnah in Shia Islam', 'Controlled-envelope single-sideband modulation (CESSB)', 'ITU designations', 'See also', 'References', 'Sources', 'Further reading', 'Message sender and receiver concepts', 'Specification', 'SOAP building blocks', 'Transport methods', 'Message format', 'Example message (encapsulated in HTTP)', 'Technical critique', 'Advantages', 'Disadvantages', 'See also', 'Biomass estimation', 'Wave measurement', 'Water velocity measurement', 'Bottom type assessment', 'Bathymetric mapping', 'Sub-bottom profiling', 'Gas leak detection from the seabed', 'Synthetic aperture sonar', 'Parametric sonar', 'Sonar in extraterrestrial contexts', 'Republic', 'Statehood', 'Civil War and Reconstruction (1860–1900)', 'Earlier 20th century', 'Economic and political change (1950–present)', 'Government and politics', 'State government', 'Politics', 'Political history', 'Texas politics today', 'Particle accelerators', 'Applications', 'Nuclear medicine and biology', 'Industrial and chemical', 'Precautions', 'Notes', 'References', 'Bibliography', 'Further reading'], ['See also', 'References'], ['Extinction in the Australian mainland', 'Extinction in Tasmania', '"Benjamin" and searches', 'Unconfirmed sightings', 'Rewards', 'Research', 'Cultural significance', 'See also', 'References', 'Notes', 'Compensation', 'Etymology and pronunciation', 'References', 'Further reading'], ['Video games', 'First Theremin Concert for Extraterrestrials', 'Similar instruments', 'See also', 'References', 'Publications', 'Film and video'], ['Maximum throughput', 'Maximum theoretical throughput', 'Asymptotic throughput', 'Peak measured throughput', 'Maximum sustained throughput', 'Operations centre', 'Connect project', 'Fares', 'Zonal fare system', 'Travelcard', 'Oyster card', 'Contactless payments', 'Identity and marketing', 'Advertising and human rights', 'See also', 'Editing', 'Soundtrack', 'Release', 'Home video', '4K restoration', 'Reception', 'Box office', 'Home media', 'Critical response', 'Legacy', 'Early life and education', 'Project Xanadu', 'Other projects', 'ZigZag', 'Influence and recognition', 'Neologisms', 'Compounds', 'Oxidation states and oxides', 'Oxides', 'Aqueous chemistry', 'Carbonates', 'Effects of pH', 'Hydrides, carbides and nitrides', 'Halides', 'Isotopes', 'Natural concentrations', 'Organisation and leadership', 'History', 'UNU Institutes and Vice-Rectorate', 'UNU as a degree-granting institution', 'Associated Students of the University of Arizona (ASUA)', 'Graduate and Professional Student Council (GPSC)', 'Residence Hall Association (RHA)', 'Notable alumni and staff', 'See also', 'References'], ['History', 'Standards', 'Comparison with other encodings', 'Single-byte', 'Other multi-byte', 'UTF-16', 'Derivatives', 'CESU-8', 'Modified UTF-8', 'WTF-8', 'History', 'Different growing methods', 'Marketing', 'Common vegetable crops', 'See also', 'References', 'Transport vesicles', 'Secretory vesicles', 'Types', 'Extracellular vesicles', 'Other types', 'Formation and transport', 'Vesicle coat and cargo molecules', 'Vesicle docking', 'Vesicle fusion', 'In receptor downregulation']]



['Wikipedia: Radiation', 'Wikipedia: List of Polish monarchs', 'Wikipedia: Relay', 'Wikipedia: Syntax', 'Wikipedia: Sture Allén', 'Wikipedia: Shoe', 'Wikipedia: Speaker for the Dead', 'Wikipedia: Sigismund Báthory', 'Wikipedia: Safe sex', 'Wikipedia: Sodium thiopental', 'Wikipedia: Tin', 'Wikipedia: Theodor W. Adorno', 'Wikipedia: Thin client', 'Wikipedia: Transfer function', 'Wikipedia: Theodosius Dobzhansky', 'Wikipedia: Tongue-twister', 'Wikipedia: Geography of the United States', 'Wikipedia: Underground railway', 'Wikipedia: Vinaigrette (disambiguation)']
[['Road', 'Airports', 'Culture', 'Media', 'Radio', 'Television', 'Paper', 'Pretoria Creole', 'Museums', 'Music', 'Martial arts', 'Acupuncture and moxibustion', 'Taoist sexual practices', 'See also', 'Notes', 'References', 'Further reading'], ['Escalation of the Cold War', 'Lebanese Civil War', 'Invasion of Grenada', '1984 presidential campaign', 'Second term', 'War on drugs', 'Response to AIDS epidemic', 'Addressing apartheid', 'Libya bombing', 'Immigration', 'Origins', 'History', 'Russian Civil War', 'Polish–Soviet War and prelude', 'Reorganization', 'Doctrinal development in the 1920s and 1930s', 'Chinese–Soviet conflicts', 'Winter War with Finland', 'Second World War ("The Great Patriotic War")', 'Ionizing radiation', 'Ultraviolet radiation', 'X-rays', 'Gamma radiation', 'Alpha radiation', 'History', 'Founding', 'Administration', 'Transfer of assets to Network Rail', 'Liquidation', 'Compensation', 'Litigation', 'Marriage and personal life', 'Works', 'References', 'Further reading'], ['Citations', 'Bibliography'], [], ['Etymology', 'Sequencing of subject, verb, and object', 'See also', 'References', 'Further reading'], ['History', 'Antiquity', 'Middle Ages and Early Modern period', 'Domination of the ruling party', 'Human rights condition', 'Executive', 'Cabinet', 'Legislative', 'Parliament', 'Legislative process', 'Constitution', 'Judiciary', 'Elections and political parties', 'Telecommunications system', 'Internet', 'Internet service providers (ISPs)', 'Internet censorship', 'Shutdown of Syrian Internet', 'References', 'Reactive Satanism', 'Demographics', 'Lawfulness', 'Legal recognition', 'See also', 'References', 'Footnotes', 'Sources'], ['Course', 'Geology', 'Watershed', 'Pollution', 'Discharge', 'History', 'Name', 'Setting', 'Synopsis', 'Lack of film adaptation', 'Influence', 'Awards', 'See also', 'Notable towns', 'Image gallery', 'See also', 'Notes', 'References'], ['Whole genome shotgun sequencing', 'History', 'Paired-end sequencing', 'Approach', 'Assembly', 'Pros and cons', 'Coverage', 'Hierarchical shotgun sequencing', 'Newer sequencing technologies', 'Metagenomic shotgun sequencing', 'See also', 'References', 'Notes', 'Citations', 'Further reading'], ['Organizations', 'Military', 'Science and technology', 'Entertainment', 'Other uses', 'References', 'Further reading'], ['Effect of sonar on marine life', 'Effect on marine mammals', 'Effect on fish', 'Frequencies and resolutions', 'See also', 'Notes', 'Citations', 'Bibliography', 'Fisheries Acoustics References', 'Further reading', 'Administrative divisions', 'Criminal law', 'Economy', 'Taxation', 'Agriculture and mining', 'Energy', 'Technology', 'Commerce', 'Demographics', 'Ethnicity', 'Characteristics', 'Physical', 'Chemical', 'Etymology', 'Description', 'Fauna and Flora', 'Important Bird Area', 'History', 'Wreck of the ship Utile', 'Expedition "Forgotten slaves"', 'Sovereignty claims', 'Climate', 'References', 'Citations', 'Bibliography', 'Further reading', 'Online', 'Early life and family', 'Education', 'Naval history and strategy', 'First marriage and widowerhood', 'Early political career', 'State Assemblyman', 'Presidential election of 1884', 'Cowboy in Dakota', 'Characteristics', 'Architecture', 'Simplicity', 'Hardware', 'Graphics', 'Channel utilization and efficiency', 'Factors affecting throughput', 'Analog limitations', 'IC hardware considerations', 'Multi-user considerations', 'Goodput and overhead', 'Other uses of throughput for data', 'Integrated circuits', 'Wireless and cellular networks', 'Over analog channels', 'Notes', 'References'], ['Remakes', 'Awards and nominations', 'See also', 'References'], ['Publications', 'References'], ['Enrichment', 'Human exposure', 'Effects and precautions', 'See also', 'Notes', 'References'], ['Locations', 'Research', 'Institutes and programmes', 'Institutes', 'Operating Units', 'Programmes', 'Former', 'See also', 'References'], ['Area', 'General characteristics', 'Physiographic divisions', 'Physiographic regions', 'Climate', 'Extremes', 'PEP 383', 'See also', 'Notes', 'References'], ['All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Preparation', 'Isolated vesicles', 'Artificial vesicles', 'See also', 'References', 'Further reading'], []]



['Wikipedia: Quanta', 'Wikipedia: Rock Bridge High School', 'Wikipedia: Stress', 'Wikipedia: Telecommunications in Singapore', 'Wikipedia: Transport in Syria', 'Wikipedia: Socialist law', 'Wikipedia: Star catalogue', 'Wikipedia: Statue of Liberty', 'Wikipedia: Szlachta', 'Wikipedia: Slavs', 'Wikipedia: Tunisia', 'Wikipedia: TCA', 'Wikipedia: Ungulate', 'Wikipedia: Until the End of the World', 'Wikipedia: Virgo (constellation)', 'Wikipedia: Victimology']
[['Performing arts and galleries', 'Sport', 'Places of worship', 'Jewish community', 'Buddhist community', 'Commerce', 'Coat of arms', 'Education', 'Primary education', 'Secondary education', 'Organisations', 'Technology', 'Music', 'Science', 'Others', 'Iran–Contra affair', 'Decline of the Soviet Union and thaw in relations', 'Health', 'Judiciary', 'Post-presidency (1989–2004)', 'Assault', 'Public speaking', "Alzheimer's disease", 'Announcement and reaction (1994)', 'Progression (1994–2004)', 'Shortcomings', 'Administration', 'Organization', 'Mechanization', 'Wartime', 'Personnel', 'Ranks and titles', 'Military education', 'Purges', 'Soldier crimes', 'Beta radiation', 'Neutron radiation', 'Cosmic radiation', 'Non-ionizing radiation', 'Ultraviolet light', 'Visible light', 'Infrared', 'Microwave', 'Radio waves', 'Very low frequency', 'Payments to shareholders', 'Railtrack directors', 'See also', 'References'], ['Poland in the Early Middle Ages', 'Legendary rulers', 'Semi-legendary dukes of the Polans in Greater Poland', 'Historic monarchs of Poland', 'Piast dukes and kings', 'Fragmentation of the Kingdom of Poland, 1138–1314', 'Piast high dukes', 'Reunification attempts in the Kingdom of Poland 1232–1305', 'History', 'Basic design and operation', 'Types', 'Coaxial relay', 'Contactor', 'Force-guided contacts relay', 'Latching relay', 'Machine tool relay', 'Mercury relay', 'Mercury-wetted relay', 'Early history', 'Theories', 'Dependency grammar', 'Categorial grammar', 'Stochastic/probabilistic grammars/network theories', 'Functional grammars', 'Generative grammar', 'Cognitive and usage-based grammars', 'See also', 'Syntactic terms', 'Bibliography', 'References', 'Industrial era', 'Culture and folklore', 'Construction', 'Types', 'Athletic', 'Boot', 'Dress and casual', "Men's", "Women's", 'Unisex', "People's Action Party", 'Opposition parties', "Women's participation in politics", 'Shirt colours', 'See also', 'References', 'Railways', 'Railway links with adjacent countries', 'Developments'], ['Road Transport', 'Soviet legal theory', 'Characteristic traits', 'See also', 'Notes', 'Early inhabitants', 'Exploration and settling', 'Steamboats', 'River modifications', 'Dams', 'Navigation', 'Biology', 'Animals', 'Plants', 'Salmon and other anadromous fish', 'References'], ['Historical catalogues', 'Early life', 'Reign', 'Voivode', 'Prince under guardianship', 'Internal conflicts', 'Holy League', 'Abdications and returns', 'See also', 'References', 'Further reading'], ['History', 'Practices', 'Phone sex/cybersex/sexting', 'Non-penetrative sex', 'Condoms, dental dams, gloves', 'Pre-exposure prophylaxis (PrEP)', 'Treatment as prevention', 'History', 'Etymology', 'Origins', 'Poland', 'Lithuania', 'Uses', 'Anesthesia', 'Medically induced coma', 'Status epilepticus', 'Euthanasia', 'Lethal injection', 'Truth serum', 'Psychiatry', 'Mechanism of action', 'Controversies'], ['Ethnonym', 'Origins', 'Cities, towns, and metropolitan areas', 'Languages', 'Religion', 'Culture', 'Texas self-perception', 'Arts', 'Education', 'Higher education', 'Healthcare', 'Medical research', 'Isotopes', 'Etymology', 'History', 'Compounds and chemistry', 'Inorganic compounds', 'Hydrides', 'Organotin compounds', 'Occurrence', 'Production', 'Mining and smelting'], ['Etymology', 'History', 'Life and career', 'Early years: Frankfurt', 'Vienna, Frankfurt, and Berlin', 'Exile: Oxford, New York, Los Angeles', 'Postwar Europe', 'Return to Frankfurt University', 'Essays on fascism', 'Public events', 'More essays on mass culture and literature', 'Second marriage', 'Reentering public life', 'Civil Service Commission', 'New York City Police Commissioner', 'Emergence as a national figure', 'Assistant Secretary of the Navy', 'War in Cuba', 'Governor of New York', 'Vice President', 'Presidency (1901–1909)', 'Limitations', 'Providers', 'History', 'Variants', 'Zero client', 'Web client', 'See also', 'References', 'See also', 'References', 'Further reading', 'Linear time-invariant systems', 'Direct derivation from differential equations', 'Gain, transient behavior and stability', 'Signal processing', 'Common transfer function families', 'Control engineering', 'Optics', 'Non-linear systems', 'See also', 'References', 'Biography', 'Early life', 'America', 'Genetics and the Origin of Species', 'Debate on race', 'Final illness and the "Light of Evolution"', 'Religious beliefs', 'Publications', 'Types of tongue-twisters', 'Related concepts', 'Shibboleths', 'Finger-fumblers', 'One-syllable article', 'Tongue-twisters in creative works', 'See also', 'References'], ['Classifications', 'History', 'Taxonomy', 'Phylogeny', 'Evolution', 'Perissodactyl evolution', 'Video clips', 'Plot', 'Act 1', 'Natural disasters', 'Tornadoes and hurricanes', 'Flooding', 'Geologic', 'Other natural disasters', 'Public lands', 'Human', 'See also', 'Notes', 'References', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'Short description is different from Wikidata', 'Location', 'Features', 'Victim of a crime', 'Consequences of crimes', 'Victim proneness', 'Environmental theory', 'Quantification of victim-proneness', 'Fundamental attribution error']]



['Wikipedia: Rodolphus Agricola', 'Wikipedia: Ringwood Brewery', 'Wikipedia: Richard Henry Lee', 'Wikipedia: South Korea', 'Wikipedia: Slang', 'Wikipedia: Transport in Singapore', 'Wikipedia: Syrian Armed Forces', 'Wikipedia: Strong interaction', 'Wikipedia: STD', 'Wikipedia: Stone Age', 'Wikipedia: Skylab', 'Wikipedia: Kra–Dai languages', 'Wikipedia: TiVo', "Wikipedia: Lagrange's theorem (group theory)", 'Wikipedia: Udo of Aachen', 'Wikipedia: Ultrafilter', 'Wikipedia: Vatican City', 'Wikipedia: VESA Local Bus']
[['The Sebokeng Complex', 'Military bases', 'The Dequar Road Base', 'Thaba Tshwane', 'Joint Support Base Wonderboom', 'Military colleges', 'Air force bases', 'Change of name', 'International relations', 'Notable people', 'Quantum search', 'Quantum simulation', 'Quantum annealing and adiabatic optimization', 'Solving linear equations', 'Quantum supremacy', 'Obstacles', 'Quantum decoherence', 'Developments', 'Quantum computing models', 'Physical realizations', 'General sources', 'Further reading', 'Primary sources', 'Historiography'], ['Official sites', 'Media', 'News coverage', 'Essays and historiographies', 'Other', 'Places', 'United Kingdom', 'United States', 'Elsewhere', 'Multiple entities', 'People', 'Arts, entertainment, and media', 'Notes and references'], ['Biography'], ['Beers', 'Permanent ales', 'References', 'Bibliography'], ['Pole and throw', 'Applications', 'Relay application considerations', 'Arcing', 'Protective relays', 'Railway signalling', 'See also', 'References'], ['Terminology', 'Etymology', 'Definitions', 'History', 'Initiation and learning', 'Roles', 'Ecological aspect', 'Economics', 'Beliefs', 'Etymology', 'History', 'Ancient Korea', 'Etymology of the word slang', 'Defining slang', 'Examples of slang (cross-linguistic)', 'Others'], ['Road transport', 'References', 'History', 'After the Second World War', 'Preparation of semiconductor materials', 'Physics of semiconductors', 'Energy bands and electrical conduction', 'Charge carriers (electrons and holes)', 'Carrier generation and recombination', 'Doping', 'Amorphous semiconductors', 'Early history of semiconductors', 'Early transistors', 'Germanium and silicon semiconductors', 'Mathematics', 'Other uses', 'AC', 'BS, BSC, HR', 'SAO', 'USNO-B1.0', 'GSC', 'PPM', 'HIP', 'Gaia Catalogue', 'Specialized catalogues', 'ADS', 'Origins', 'Dayton, Tennessee', 'Proceedings', 'Examination of Bryan', 'Adam and Eve', 'End of the trial', 'Appeal to the Supreme Court of Tennessee', 'Aftermath', 'Creation versus evolution debate', 'After dedication', 'Lighthouse Board and War Department (1886–1933)', 'Early National Park Service years (1933–1982)', 'Renovation and rededication (1982–2000)', 'Closures and reopenings (2001–present)', 'Access and attributes', 'Location and access', 'Inscriptions, plaques, and dedications', 'Historical designations', 'Physical characteristics', 'Places', 'Science and technology', 'Other uses', 'See also', 'First Royal Election', 'End of the Jagiellonian dynasty', 'Transformation into aristocracy', "The szlachta's loss of influence", 'Cultural and international connections', 'The role of women as purveyors of culture', 'Gastronomy', 'Hunting', 'Demographics and stratification', 'Szlachta hierarchy', 'Historical significance', 'Stone Age in archaeology', 'Beginning of the Stone Age', 'End of the Stone Age', 'Concept of the Stone Age', 'See also', 'References', 'Citations', 'Sources'], [], ['U.S. Government', 'Names', 'Organic chemistry', 'Li-ion batteries', 'Precautions', 'See also', 'Notes', 'References', 'Bibliography'], ['Military', 'Administrative divisions', 'Economy', 'Tourism', 'Energy', 'Transport', 'Water supply and sanitation', 'Demographics', 'Ethnic groups', 'Languages', 'Media', 'Election of 1904', 'Second term', 'Post-presidency', 'Election of 1908', 'Africa and Europe (1909–1910)', 'Republican Party schism', 'Dispute over arbitration treaties', 'Election of 1912', 'Republican primaries and convention', 'Late classical Christian writers', 'Islamic philosophy', 'Jewish philosophy', 'Thomas Aquinas', 'Modernity', 'Newton and Leibniz', 'British empiricists', "Derham's natural theology", 'Watchmaker analogy', 'Recent proponents', 'See also', 'References', 'Proof', 'Extension', 'Etymology', 'Formation', 'See also', 'Notes', 'References', 'Further reading', '2000s: Transition to online content', '2010s: Digital radio, Double J, Beat The Drum', 'Programming', 'Current programming mix', 'Evolution of programming', 'Effect on mainstream media', 'Presenters', 'Current Presenters', 'Events', 'Hottest 100', 'Aspects of the hoax', 'References'], ['Ultrafilters on partial orders', 'Special case: ultrafilter on a Boolean algebra', 'Special case: ultrafilter on the powerset of a set', 'Applications', 'Local government', 'Mayor-Council', 'The Commission', 'Council-Manager', 'County government', 'Town and village government', 'Suffrage', 'Unincorporated areas', 'Unorganized territories', 'Campaign finance', 'Folklore', 'Legal and political', 'Criticism', 'Notable people', 'National Underground Railroad Network', 'Inspirations for fiction', 'Contemporary literature', 'See also', 'Notes', 'References', 'Name', 'History', 'Early history', 'Papal States', 'Italian unification'], ['Historical overview', 'Implementation']]



['Wikipedia: Psychiatrist', 'Wikipedia: Robert J. Flaherty', 'Wikipedia: Ruth Gordon', 'Wikipedia: Red wolf', 'Wikipedia: Spain', 'Wikipedia: Starch', 'Wikipedia: Speech coding', 'Wikipedia: Scabies', 'Wikipedia: Tellurium', 'Wikipedia: Treaty of Berlin', 'Wikipedia: Ultra', 'Wikipedia: Útgarðar', 'Wikipedia: Patriot Act', 'Wikipedia: Vulgate']
[['Places of interest', 'Nature reserves', 'See also', 'References'], ['Relation to computability and complexity theory', 'Computability theory', 'Quantum complexity theory', 'See also', 'References', 'Further reading', 'Textbooks', 'Academic papers'], ['Early life', 'Nanook of the North', 'Hollywood', 'Fictional characters', 'Music', 'Albums', 'Songs', 'Other uses in arts, entertainment, and media', 'Computing and technology', 'Food', 'Slang', 'Sports', 'Teams and leagues', 'Legacy and influence', 'Works', 'References', 'Sources', 'Further reading', 'Seasonal ales', 'Commemorative ales', 'References'], ['Early life and education', 'Career', 'American Revolution', 'President of Congress', 'Political offices', 'Personal life and family', 'Legacy', 'In popular culture', 'References'], ['Etymology', 'History', 'Prehistory and pre-Roman peoples', 'Roman Hispania and the Visigothic Kingdom', 'Soul and spirit concepts', 'Practice', 'Entheogens', 'Music and songs', 'Other practices', 'Items used in spiritual practice', 'Academic study', 'Cognitive and evolutionary approaches', 'Ecological approaches and systems theory', 'Historical origins', 'Three Kingdoms of Korea', 'Unified Dynasties', 'Modern history', 'Korean War', 'Post-Korean War (1960–1990)', 'Contemporary South Korea', 'Geography, climate and environment', 'Geography', 'Climate', 'Environment', 'Formation of slang', 'Social implications', 'Indexicality', 'First and second order indexicality', 'Higher-order indexicality', 'Subculture associations', 'Social media and Internet slang', 'Debates about slang', 'See also', 'References', 'Buses', 'Taxis and ridesharing services', 'Private cars', 'Roads and expressways', 'Causeway and link bridge', 'Trishaws', 'Rail transport', 'Mass Rapid Transit (MRT)', 'Light Rail Transit (LRT)', 'International rail links', 'Occupation of Lebanon', 'Other engagements', 'Modernisation', 'Syrian Civil War', 'Structure', 'Syrian Army', 'Syrian Air Force', 'Syrian Navy', 'Syrian Air Defence Force', 'Paramilitary forces', 'MOSFET (MOS transistor)', 'See also', 'References', 'Further reading'], ['History', 'Behavior of the strong force', 'Residual strong force', 'Unification', 'See also', 'References', 'Further reading'], ['Carbon stars', 'Gl, GJ, Wo', 'GCTP', 'Proper motion catalogues', 'ZC catalogue', 'See also', 'References', 'Bibliography', 'Further reading'], ['Anti-evolution movement', 'Teaching of science', 'Publicity', 'Courthouse', 'Humor', 'In popular culture', 'Stage, film and television', 'Art', 'Literature', 'Music', 'Depictions', 'See also', 'References', 'Bibliography'], ['Signs and symptoms', 'Itching', 'Rash', 'Heraldry', 'Heritability', 'Sarmatism', 'Religious adherence', 'See also', 'Notes', 'References', 'Bibliography'], ['Three-stage system', 'Problem of the transitions', 'Chronology', 'Three-age chronology', 'Lower Paleolithic', 'Oldowan in Africa', 'Oldowan out of Africa', 'Acheulean in Africa', 'Acheulean out of Africa', 'Middle Paleolithic', 'Overview', 'Background', 'Early studies', 'Air Force plans', 'Development', 'Apollo Applications Program', 'Wet workshop', 'Dry workshop', 'Internal classification', 'Edmondson and Solnit (1988)', 'Ostapirat (2005); Norquest (2007)', 'External relationships', 'Sino-Tai', 'Austro-Tai', 'Hmong-Mien', 'Japonic languages', 'Reconstruction', 'See also', 'Characteristics', 'Physical properties', 'Chemical properties', 'Isotopes', 'Occurrence', 'Major cities', 'Religion', 'Education', 'Health', 'Culture', 'Painting', 'Literature', 'Music', 'Media', 'Sports', 'The Progressive ("Bull Moose") Party', 'Assassination attempt', 'Farewell manifesto', 'Election results', '1913–1914 South American expedition', 'Final years', 'League of Nations', 'World War I', 'Death', 'Writer', 'Probabilistic arguments', 'Fine-tuned universe', 'Creation science and intelligent design', 'Unreasonable effectiveness of mathematics', '"Third way" proposal', 'Interacting whole', 'Criticism', 'Classical', 'David Hume', 'Immanuel Kant', 'History and development', 'TiVo digital video recorder', 'Functions', 'Subscription service', 'Service availability', 'United Kingdom', 'Hardware anatomy', 'Drive expansion', 'Hacking', 'TiVo in the cloud', 'Applications', 'Existence of subgroups of given order', "Counterexample of the converse of Lagrange's theorem", 'History', 'Notes', 'References'], ['All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'Unearthed', 'Beat the Drum', 'Impossible Music Festival', "triple j's One Night Stand", 'Aus Music Month', 'J Awards', 'See also', 'References'], ['Sources of intelligence', 'German', 'Enigma', 'Ultrafilters on ℘(ω)', 'Monad structure', 'See also', 'Notes', 'References', 'Further reading', 'Political culture', 'Colonial origins', 'American ideology', 'Political parties and elections', 'Political parties', 'Elections', 'Political pressure groups', 'General developments', 'Development of the two-party system in the United States', 'Political spectrum of the two major parties', 'Further reading', 'Folklore and myth'], ['Lateran treaties', 'World War II', 'Post-war history', 'Geography', 'Climate', 'Gardens', 'Governance', 'Political system', 'Head of state and government', 'Administration', 'Limitations', 'Legacy', 'Technical data', 'See also', 'References']]



['Wikipedia: QT', 'Wikipedia: Random variable', 'Wikipedia: Rajasthan', 'Wikipedia: Skinhead', 'Wikipedia: September 3', 'Wikipedia: Stellar designations and names', 'Wikipedia: Syntactic sugar', 'Wikipedia: The Beatles', 'Wikipedia: Foreign relations of Tunisia', 'Wikipedia: Thresher', 'Wikipedia: The History of the Decline and Fall of the Roman Empire', 'Wikipedia: The Wizard of New Zealand', 'Wikipedia: University of Rochester', 'Wikipedia: Economy of the United States']
[['Subspecialties', 'Professional requirements', 'US and Canada', 'The United Kingdom and the Republic of Ireland', 'Netherlands', 'India', 'Pakistan', 'See also', 'Arts and media', 'Organizations', 'Science and technology', 'Medicine', 'Britain', 'Ireland', 'Last years', 'Legacy', 'Awards', 'Filmography', 'See also', 'References', 'Further reading'], ['Sports that use rocks', 'Other uses', 'See also', 'Early life', 'Early career', 'Career', 'Death', 'Legacy', 'Body of work', 'Filmography', 'Television', 'History', 'Taxonomy', 'Taxonomic debate', 'Fossil evidence', 'Morphological evidence', 'DNA studies', 'Genetic marker evidence', 'Whole-genome evidence', 'Wolf genome', 'Etymology', 'History', 'Ancient', 'Muslim era and Reconquista', 'Spanish Empire', 'Liberalism and nation state', 'Civil War and Francoist dictatorship', 'Restoration of democracy', 'Geography', 'Islands', 'Mountains and rivers', 'Climate', 'Fauna and flora', 'Semiotic and hermeneutic approaches', 'Decline and revitalization and tradition-preserving movements', 'Regional variations', 'Criticism of the term', 'See also', 'Notes', 'References', 'Further reading'], ['Government', 'Administrative divisions', 'Demographics', 'Education', 'Language', 'Religion', 'Health', 'Foreign relations', 'North Korea', 'China and Russia'], ['History', 'Origins and first wave', 'Air transport', 'Airlines', 'Airports', 'Heliports', 'Aerial lift transport', 'Cable car', 'Maritime transport', 'Ports and harbours', 'Passenger transport', 'References', 'Role of women in the Armed forces', 'Weapons, uniforms and awards', 'Weapons', 'Uniforms (1987)', 'Rank Insignia (1987)', 'Awards and decorations', 'See also', 'Notes', 'References', 'Further reading', 'Etymology', 'History', 'Starch industry', 'Energy store of plants', 'Biosynthesis', 'Degradation', 'Properties', 'Structure', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'Proper names', 'Stars named for individuals', 'Catalogue designations', 'Non-fiction', 'See also', 'References', 'Citations', 'General bibliography', 'Further reading'], ['Categories', 'Sample companding viewed as a form of speech coding', 'Modern speech compression', 'Sub-fields', 'See also', 'References'], ['Crusted scabies', 'Cause', 'Scabies mite', 'Transmission', 'Pathophysiology', 'Diagnosis', 'Differential diagnosis', 'Prevention', 'Management', 'Permethrin', 'Origins', 'Notable examples', 'Criticism', 'Derivative terms', 'Upper Paleolithic', 'Epipaleolithic/Mesolithic', 'Neolithic', 'African chronology', 'Early Stone Age (ESA)', 'Middle Stone Age (MSA)', 'Later Stone Age (LSA)', 'Material culture', 'Tools', 'Food and drink', 'Habitability', 'Components', 'Operational history', 'Completion and launch', 'Crewed missions', 'Orbital operations', 'Experiments', 'Summary', 'Example', 'Nobel Prize', 'References', 'Further reading'], ['History', 'Production', 'Compounds', 'Applications', 'Metallurgy', 'Semiconductor and electronic industry uses', 'Other uses', 'Biological role', 'Precautions', 'See also', 'See also', 'References'], ['Character and beliefs', 'Strenuous life', 'Warrior', 'Religion', 'Political positions', 'Legacy', 'Persona and masculinity', 'Memorials and cultural depictions', 'Audiovisual media', 'See also', 'Does not prove the existence of God', 'Argument from improbability', 'A flawed argument', 'Perception of purpose in biology', 'Fideism', 'Other criticisms', 'Similar discussions in other civilizations', 'Hinduism', 'Buddhist criticism of Hindu Nyaya logic', 'Confucianism', 'Competitors and market share', 'Issues', 'Privacy concerns', 'Litigation', 'Opposition by content providers', 'Content flagging', 'Pop-up advertisements', 'GNU General Public License and Tivoization', 'See also', 'References', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'Thesis', 'Style', 'Citations and footnotes', 'Life and career', 'Public speaking', 'Autobiography', 'Cartography', 'Lorenz cipher', 'Italian', 'Japanese', 'Distribution', 'Army and air force', 'Intelligence agencies', 'Radio and cryptography', 'Lucy', 'Use of intelligence', 'Safeguarding of sources', 'References', 'Concerns about oligarchy', 'Reform', 'See also', 'References', 'Further reading'], ['History', 'Titles', 'Title I: Enhancing domestic security against terrorism', 'Title II: Enhanced surveillance procedures', 'Title III: Anti-money-laundering to prevent terrorism', 'Title IV: Border security', 'Title V: Removing obstacles to investigating terrorism', 'Title VI: Victims and families of victims of terrorism', 'Title VII: Increased information sharing for critical infrastructure protection', 'Title VIII: Terrorism criminal law', 'Defense and security', 'Foreign relations', 'Non-party, non-signatory policy', 'Economy', 'Demographics', 'Languages', 'Citizenship', 'Statistical oddities', 'Culture', 'Sport', 'Authorship', "Jerome's work of translation", 'Critical value', 'Prologues', 'Relation with the Vetus Latina Bible', 'Influence on Western culture', 'The Reformation', 'The Council of Trent']]



['Wikipedia: Peano axioms', 'Wikipedia: Quasigroup', 'Wikipedia: Rolling Stone', 'Wikipedia: Richard Dawkins', 'Wikipedia: Sexology', 'Wikipedia: Foreign relations of Singapore', 'Wikipedia: Foreign relations of Syria', 'Wikipedia: September 5', 'Wikipedia: Stephen Báthory', 'Wikipedia: 1985 Helsinki Protocol on the Reduction of Sulphur Emissions', 'Wikipedia: Sonic the Hedgehog (character)', 'Wikipedia: Thorium', 'Wikipedia: Tram', 'Wikipedia: TDMA', 'Wikipedia: The Princess Bride (film)', 'Wikipedia: The Magnificent Seven']
[['References', 'Further reading', 'Formulation', 'Other uses in science and technology', 'Other uses', 'See also', 'History', '1967 to 1979: Founding and early history', '1980 to 1999: Change to entertainment magazine', 'Definition', 'Standard case', 'Extensions', 'Distribution functions', 'Examples', 'Discrete random variable', 'Coin toss', 'Dice roll', 'Continuous random variable', 'Mixed type', 'Writer', 'Broadway appearances', 'See also', 'References'], ['Physical description and behavior', 'Range and habitat', 'Extirpation in the wild', 'Reintroduced habitat', 'Captive breeding and reintroduction', '20th century releases', '21st century status', 'Coyote × re-introduced red wolf issues', 'Contested killing of re-introduced red wolves', 'Gallery', 'Classical', 'Gurjara-Pratihara', 'Medieval and Early Modern', 'Modern', 'Geography', 'Flora and fauna', 'Wildlife protection', 'Communication', 'Government and politics', 'Administrative divisions', 'Politics', 'Government', 'Human rights', 'Administrative divisions', 'Autonomous communities', 'Provinces and municipalities', 'Foreign relations', 'Military', 'Ecology', 'Economy', 'History', 'Early', 'Victorian Era to WWII', 'Post WWII', 'Japan', 'European Union', 'United States', 'Military', 'United States contingent', 'Conscientious objection', 'Economy', 'Transportation, energy and infrastructure', 'Tourism', 'South Korean National Pension System', 'Second wave', 'Germany', 'Style', 'Hair', 'Clothing', 'Footwear', 'Music', 'Racism, anti-racism, and politics', 'See also', 'References', 'Further reading'], ['Timeline of Singapore foreign relations=='], ['Bilateral relations', 'Africa', 'Hydrolysis', 'Dextrinization', 'Chemical tests', 'Food', 'Starch production', 'Starch sugars', 'Modified starches', 'Use as food additive', 'Use in pharmaceutical industry', 'Resistant starch', 'References'], ['Events', 'By constellation', 'Full-sky catalogues', 'Variable designations', 'Exoplanet searches', 'Sale of star names by non-scientific entities', 'See also', 'References'], ['Youth', 'Elected king', 'Establishing power', 'Policies', 'War with Muscovy', 'Final years', 'See also', 'References'], ['Ivermectin', 'Others', 'Communities', 'Epidemiology', 'History', 'Society and culture', 'Scabies in animals', 'Research', 'References'], ['Syntactic salt', 'Syntactic saccharin', 'Sugared types', 'Notes', 'References', 'Shelter and habitat', 'Art', 'Petroglyphs', 'Rock paintings', 'Stone Age rituals and beliefs', 'Modern popular culture', 'See also', 'Notes', 'References', 'Further reading', 'Film vaults and window radiation shield', 'Gyroscopes', 'Shower', 'Cameras and film', 'Computers', 'Plans for re-use after the last mission', 'Shuttle mission plans', 'After departure', 'Solar activity', 'Re-entry and debris', 'History', '1957–1963: Formation, Hamburg, and UK popularity ===', '1963–1966: Beatlemania and touring years', 'Please Please Me and With the Beatles', 'First visit to the United States and the British Invasion', "A Hard Day's Night", '1964 world tour, meeting Bob Dylan, and stand on civil rights', 'Beatles for Sale, Help! and Rubber Soul', 'Controversies, Revolver and final tour', '1966–1970: Studio years', 'References'], ['Bulk properties', 'Bilateral relations', 'Africa', 'Americas', 'Asia', 'Europe', 'Oceania', 'Foreign Ambassadors', 'Footnotes', 'See also', 'Notes', 'References', 'Bibliography', 'Full biographies', 'Personality and activities', 'Politics', 'Foreign and military policies', 'Historiography', 'Primary sources'], ['Taoism', 'See also', 'References', 'Further reading'], [], ['All article disambiguation pages', 'All disambiguation pages', 'Plot', 'Cast', 'Framing story', 'Main story', 'Criticism', 'Misinterpretation of Byzantium', "Gibbon's views on religion", 'Criticism of Quran and Muhammad', 'Views on Jews and charge of antisemitism', 'Number of Christian martyrs', 'Christianity as a contributor to the fall and to stability: chapters XV, XVI', 'Tolerant paganism', "Gibbon's reflections", 'Editions', 'Film', 'Notes'], ['Role of women in Allied codebreaking', 'Effect on the war', 'Postwar disclosures', 'Holocaust intelligence', 'Postwar consequences', 'See also', 'Notes', 'References', 'Bibliography', 'History', 'Early history', 'Founding', 'Twentieth century', 'Coeducation', 'Expansion', 'Financial decline and name change controversy', 'Renaissance Plan', 'Twenty-first century', 'History', 'Colonial era and 18th century', '19th century', '20th century', '21st century', 'Data', 'GDP', 'Title IX: Improved intelligence', 'Title X: Miscellaneous', 'Section expirations', 'Controversy', 'Sami Al-Arian', 'Reauthorizations', 'See also', 'References', 'Further reading', 'Law review articles', 'Infrastructure', 'Transport', 'Communications', 'Recycling', 'Crime', 'See also', 'References', 'Footnotes', 'Citation notes', 'Bibliography', 'Opinion of the Catholic Church on the Vulgate', 'Translations', 'Influence upon the English language', 'Texts', 'Manuscripts and early editions', 'Sixtine and Clementine Vulgates', 'Modern critical editions', 'Wordsworth and White (Oxford) New Testament', 'Benedictine (Rome) Old Testament', 'Weber-Gryson (Stuttgart) edition']]



['Wikipedia: Real ale', 'Wikipedia: List of leaders of the Soviet Union', 'Wikipedia: Sorrel', 'Wikipedia: Stout', 'Wikipedia: Space Shuttle Challenger', 'Wikipedia: Subud', 'Wikipedia: Stalinism', 'Wikipedia: Shiva', 'Wikipedia: Sam Loyd', 'Wikipedia: Geography of Turkey', 'Wikipedia: Tiberius', 'Wikipedia: Tony McManus (musician)', 'Wikipedia: TRF', 'Wikipedia: Ukraine', 'Wikipedia: Unreal (1998 video game)', 'Wikipedia: Vehicle']
[['Arithmetic', 'Addition', 'Multiplication', 'Inequalities', 'First-order theory of arithmetic', 'Equivalent axiomatizations', 'Models', 'Set-theoretic models', 'Interpretation in category theory', 'Nonstandard models', 'Definitions', 'Algebra', 'Universal algebra', 'Loops', 'Symmetries', 'Semisymmetry', 'Triality', 'Total symmetry', 'Total antisymmetry', 'Examples', '2000 to 2015: Expansion of readership', '2016 to present: New ownership', 'Covers', 'Print format', 'Website', 'Glixel', 'Restaurant', 'Criticism', 'Tsarnaev cover', 'UVA false rape story', 'Measure-theoretic definition', 'Real-valued random variables', 'Moments', 'Functions of random variables', 'Example 1', 'Example 2', 'Example 3', 'Example 4', 'Some properties', 'Equivalence of random variables', 'Background', 'Early life', 'Education', 'Teaching', 'Work', 'Evolutionary biology', 'Fathering the meme', 'Foundation', 'Footnotes', 'References', 'Further reading'], ['Economy', 'Agricultural production', 'Transport', 'Air', 'Rail', 'Road', 'Demographics', 'Language', 'Culture', 'Education', 'Automotive industry', 'Agriculture', 'Tourism', 'Energy', 'Transport', 'Science and technology', 'Demographics', 'Urbanisation', 'Peoples', 'Minority groups', '21st century', 'Notable contributors', 'See also', 'References'], ['Science and technology', 'Cyber security', 'Aerospace engineering', 'Robotics', 'Biotechnology', 'Culture', 'Art', 'Architecture', 'Cuisine', 'Entertainment', 'Further reading', 'Description', 'Distribution', 'Foreign policy', 'Trade agreements', 'International organizations', 'APEC', 'INTERPOL', 'G20', 'Bilateral relations', 'Africa', 'Americas', 'Defence Relations', 'Americas', 'Asia', 'Europe', 'Membership in international organizations', 'Arab League', 'Disputes – international', 'See also', 'Sources', 'References'], ['Industrial applications', 'Papermaking', 'Corrugated board adhesives', 'Clothing starch', 'Other', 'Occupational safety and health', 'See also', 'References'], ['Births', 'Deaths', 'Holidays and observances', 'References'], ['History', 'Construction', 'Construction milestones (as STA-099)', 'Construction milestones (as OV-099)', 'Flights and modifications', 'Remembrance', 'Notes', 'See also', 'References', 'Bibliography'], ['History', 'Etymology', 'Stalinist policies', 'Proletariat state', 'Etymology and other names', 'Historical development and literature', 'Indus Valley origins', 'Origins and history', 'Voice portrayal', 'Appearances', 'Video games', 'Cameos and crossovers', 'Animation', 'Live-action film', 'Print media'], ['Reputation', 'Chess problems', 'Rockets, rescue, and cancelled missions', 'Skylab 5', 'Skylab B', 'Engineering mock-ups', 'Mission designations', 'SMEAT', 'Program cost', 'Depictions in film', 'Gallery', 'See also', "Sgt. Pepper's Lonely Hearts Club Band", 'Magical Mystery Tour and Yellow Submarine', 'India retreat, Apple Corps and the White Album', 'Abbey Road, Let It Be and separation', '1970–present: After the break-up', '1970s', '1980s', '1990s', '2000s', '2010s', 'Isotopes', 'Radiometric dating', 'Chemistry', 'Reactivity', 'Inorganic compounds', 'Coordination compounds', 'Organothorium compounds', 'Occurrence', 'Formation', 'On Earth', 'External boundaries', 'Regions', 'Black Sea Region', 'Marmara Region', 'Official', 'Organizations', 'Libraries and collections', 'Other', 'Etymology and terminology', 'History', 'Horse-drawn', 'Steam', 'Cable-hauled', 'Gas', 'Electric', 'Other power sources', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'Production', 'Development', 'Casting', 'Filming', 'Soundtrack', 'Reception', 'Box office', 'Critical response', 'Legacy', 'Post-theatrical release', 'Legacy', 'See also', 'Notes', 'References'], ['Plot', 'Cast', 'Production', 'Development', 'Writing', 'Casting', 'Filming', 'Soundtrack', 'In other media', 'Release', 'Etymology and orthography', 'History', 'Early history', 'Golden Age of Kiev', 'Meliora Challenge', 'Equal Employment Opportunity Commission complaint and related legal matters', 'The Mangelsdorf Years', 'Administration', 'Campuses', 'River Campus', 'Medical Campus', 'The Eastman School of Music', 'South Campus', 'Mount Hope Campus', 'By economic sector', 'Nominal GDP sector composition', 'Employment', 'Unemployment', 'Employment by sector', 'Income and wealth', 'Income measures', 'Income inequality', 'Household net worth and wealth inequality', 'Home ownership', 'Books'], ['Supportive views', 'Critical views', 'Other'], ['Official websites', 'Other websites', 'Nova Vulgata', 'Electronic versions', 'Contents', 'See also', 'References', 'Further reading'], []]



['Wikipedia: Romania', 'Wikipedia: Swiss German', 'Wikipedia: Section 508 Amendment to the Rehabilitation Act of 1973', 'Wikipedia: Sugar', 'Wikipedia: Supreme Soviet of the Soviet Union', 'Wikipedia: Trenton', 'Wikipedia: Taxil hoax', 'Wikipedia: Vermont']
[['Overspill', 'Consistency', 'See also', 'Notes', 'References', 'Citations', 'Sources', 'Further reading'], ['Properties', 'Multiplication operators', 'Latin squares', 'Infinite quasigroups', 'Inverse properties', 'Morphisms', 'Homotopy and isotopy', 'Conjugation (parastrophe)', 'Isostrophe (paratopy)', 'Generalizations', 'In popular culture', 'International editions', 'See also', 'References', 'Further reading'], ['Equality in distribution', 'Almost sure equality', 'Equality', 'Convergence', 'See also', 'References', 'Inline citations', 'Literature'], ['Criticism of religion', 'Criticism of creationism', 'Political views', 'Other fields', 'Awards and recognition', 'Personal life', 'Media', 'Selected publications', 'Documentary films', 'Other appearances', 'Cask-conditioned ale', 'Filtered beer', 'Cask breather', 'CAMRA', 'See also', 'References'], ['Literacy', 'Tourism', 'See also', 'References', 'Further reading'], ['Government', 'General information', 'Immigration', 'Languages', 'Education', 'Health', 'Religion', 'Culture', 'World Heritage Sites', 'Literature', 'Philosophy', 'Art', 'Summary', 'List of leaders', 'List of troikas', 'Statistics', 'See also', 'Notes', 'References', 'Citations', 'Holidays', 'Sports', 'See also', 'Notes', 'References', 'Further reading'], ['Subspecies', 'Uses', 'See also', 'References', 'Trade', 'Others', 'Asia', 'Strategic Relations', 'Economic and other ties', 'Defence', 'Disputes', 'Improved relationship', 'Agreements', 'Cooperation', 'History', 'The law', 'Qualifications', 'Etymology', 'History', 'Ancient world to Renaissance', 'Asia', 'History', 'Milk stout', 'Dry or Irish stout', 'Gallery of Irish stouts', 'Porter', 'Oatmeal stout', 'Oyster stout', 'Chocolate stout', 'Final mission and destruction', 'List of Missions', 'Mission and tribute insignias', 'See also', 'References', 'Further reading'], ['Etymology', 'History', 'Symbol', 'Practices', 'The Opening', 'Testing', 'Fasting', 'Class-based violence', 'Purges and executions', 'Deportations', 'Economic policy', 'Relationship to Leninism', 'Legacy', 'Maoism and Hoxhaism', 'Trotskyism', 'Other interpretations', 'Public opinion in Russia', 'Vedic origins', 'Rudra', 'Agni', 'Indra', 'Later literature', 'Assimilation of traditions', 'Position within Hinduism', 'Shaivism', 'Vaishnavism', 'Shaktism', 'Characteristics', 'Reception and legacy', 'References'], ['Excelsior problem', 'Steinitz Gambit problem', 'Charles XII problem', 'Puzzles', 'Trick Donkeys problem', 'Back from the Klondike', 'Books', 'References', 'Further reading'], ['References', 'Footnotes', 'Works cited', 'Further reading'], ['NASA', 'Third party', '2020s', 'Musical style and development', 'Influences', 'Genres', 'Contribution of George Martin', 'In the studio', 'Legacy', 'Awards and achievements', 'Personnel', 'Discography', 'History', 'Erroneous report', 'Discovery', 'Initial chemical classification', 'First uses', 'Radioactivity', 'Further classification', 'Phasing out', 'Nuclear power', 'Nuclear weapons', 'Aegean Region', 'Mediterranean Region', 'Central Anatolia Region', 'Eastern Anatolia Region', 'Southeastern Anatolia Region', 'Geology', 'Climate', 'Land use', 'Natural hazards', 'Environment', 'Early life (42–6 BC)', 'Background', 'Civil and military career', 'Midlife (6 BC – 14 AD)', 'Retirement to Rhodes (6 BC)', 'Heir to Augustus', 'Emperor (14–37 AD)', 'Early reign', 'Rise and fall of Germanicus', 'Battery', 'Compressed air', 'Human power', 'Hydrogen', 'Hybrid', 'Liquid fuel', 'Modern development', 'Design', 'Operation', 'Controls', 'Music career', 'Signature model', 'Discography', 'As sideman/guest', 'References'], ['Adaptations', 'Potential remake', 'References', 'Further reading'], ['All article disambiguation pages', 'All disambiguation pages', 'Articles containing Portuguese-language text', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'Box office', 'Critical reception', 'Sequels and adaptations', 'Remake', 'See also', 'References', 'Bibliography'], ['Foreign domination', 'Cossack Hetmanate', '19th century, World War I and revolution', 'Western Ukraine, Carpathian Ruthenia and Bukovina', 'Inter-war Soviet Ukraine', 'World War II', 'Post-World War II', 'Independence', 'Orange Revolution', 'Euromaidan and 2014 revolution', 'Bristol Mountain Observatory', 'Prince Street Campus and Memorial Art Gallery', 'Academics', 'Rankings', 'Research', 'Colleges and schools', 'Student life', 'Student organizations', 'Residences', "Students' Association", 'Profits and wages', 'Poverty', 'Health care', 'Coverage', 'Outcomes', 'Cost', 'Composition of economic sectors', 'Energy, transportation, and telecommunications', 'Transportation', 'Road', 'Plot', 'Expansion plot', 'Development', 'Graphics', 'Audio', 'Community patch support', 'Mac OS', 'Linux', 'History', 'Types of vehicles', 'Locomotion', 'Energy source', 'Motors and engines', 'Converting energy to work', 'Friction', 'Control', 'Steering', 'Stopping', 'Etymology', 'Geography', 'Cities', 'Largest towns', 'Climate', 'Climate change']]



['Wikipedia: Procyon', 'Wikipedia: Rubaiyat of Omar Khayyam', 'Wikipedia: Code refactoring', 'Wikipedia: Richard Myers', 'Wikipedia: Raphael of Brooklyn', 'Wikipedia: Seafood', 'Wikipedia: History of South Korea', 'Wikipedia: Slartibartfast', 'Wikipedia: Slavery', 'Wikipedia: Space Shuttle Enterprise', 'Wikipedia: Shiba Inu', 'Wikipedia: Sacramento (disambiguation)', 'Wikipedia: Der Ring des Nibelungen', 'Wikipedia: The Good, the Bad and the Ugly']
[['Observation', 'Stellar system', 'Procyon A', 'Oscillations', 'Right- and left-quasigroups', 'Number of small quasigroups and loops', 'See also', 'Notes', 'References'], ['Etymology', 'Official names', 'History', 'Prehistory', 'Antiquity', 'Middle Ages', 'Early Modern Times and national awakening', 'Sources', 'Skepticism vs. Sufism debate', 'Editions', 'Character of translation', 'Notes', 'References', 'Cited texts'], ['Early life', 'Commander and Vice Chairman of the Joint Chiefs of Staff', 'September 11 Attacks', 'Chairman of the Joint Chiefs of Staff', 'Operation Iraqi Freedom', 'Life', 'Glorification and honors', 'See also', 'References'], ['Sculpture', 'Cinema', 'Architecture', 'Music and dance', 'Fashion', 'Cuisine', 'Sport', 'Public holidays and festivals', 'See also', 'Notes', 'Sources'], ['History', 'U.S. military administration 1945–1948', 'Second Republic 1960–1963', 'Military rule 1961–1963', 'Third Republic 1963–1972', 'Fourth Republic 1972–1979', 'Fifth Republic 1979–1987', 'Use', 'Variation and distribution', 'History', 'Phonology', 'Consonants', 'Vowels', 'Suprasegmentals', 'Grammar', 'Vocabulary', 'Business and trade', 'Military', 'Controversies', 'Issue of Taiwanese independence', 'Europe', 'Oceania', 'International humanitarian effort', 'Participation in the War on Terrorism', 'International effort on anti-piracy', 'Consulates', 'Provisions', 'Summary of Section 508 technical standards', 'Practice', 'See also', 'References'], ['Europe', 'Modern history', 'Natural polymers', 'Flammability and heat response', 'Types', 'Monosaccharides', 'Disaccharides', 'Sources', 'Production', 'Sugarcane', 'Imperial stout', 'Gallery of Imperial Stouts', 'References', 'Differences between Enterprise and future shuttles', 'Construction milestones', 'Service', 'Approach and landing tests (ALT)', 'Mated Vertical Ground Vibration Test (MGVT)', 'Planned preparations for spaceflight', 'Rules', 'Association', 'Helpers', 'Ibu Rahayu', 'Committees', 'Affiliates', 'Enterprises', 'Membership', 'Notes', 'References', 'See also', 'References', 'Notes', 'Citations', 'Sources', 'Further reading'], ['Smarta Tradition', 'Yoga', 'Trimurti', 'Attributes', 'Forms and depictions', 'Destroyer and Benefactor', 'Ascetic and householder', 'Iconographic forms', 'Lingam', 'Five mantras', 'Structure', 'Leaders', 'Chairmen of the Presidium (1938–1989)', 'Chairmen of the Supreme Soviet (1989–1991)', 'Convocations', 'Supreme councils of union and autonomous republics', 'Supreme councils of union republics', 'Supreme councils of autonomous republic', 'See also', 'Appearance', 'Temperament', 'History', 'Places', 'Brazil', 'Costa Rica', 'Mexico', 'Portugal', 'United States', 'Song catalogue', 'Selected filmography', 'Concert tours', 'Notes', 'Citations', 'Sources', 'Further reading'], ['Production', 'Concentration', 'Acid digestion', 'Alkaline digestion', 'Purification', 'Modern applications', 'Potential use for nuclear energy', 'Advantages', 'Disadvantages', 'Hazards', 'Current issues', 'Ratified international agreements', 'Signed but unratified international agreements', 'See also', 'Notes', 'References'], ['Tiberius in Capri, with Sejanus in Rome', 'Plot by Sejanus against Tiberius', 'Final years', 'Death (37 AD)', 'Legacy', 'Historiography', 'Publius Cornelius Tacitus', 'Suetonius Tranquillus', 'Velleius Paterculus', 'Gospels, Jews, and Christians', 'Power supply', 'Ground-level power supply', 'Route', 'Track', 'Track gauge', 'Tram stop', 'Manufacturing', 'Debate', 'Advantages', 'Disadvantages', 'Places', 'Canada', 'United States', 'People', 'Surname', 'Given name', 'Other uses', 'Taxil and Freemasonry', 'A later interview with Taxil', 'The Luciferian quote', 'See also', 'References', 'Further reading'], ['Title', 'Content', 'List of characters', 'Story', 'Concept', 'Plot', 'Cast', 'The trio', 'Supporting cast', 'Development', 'Civil unrest, Russian intervention, and annexation of Crimea', 'COVID-19', 'Geography', 'Soil', 'Climate', 'Biodiversity', 'Animals', 'Fungi', 'Politics', 'Constitution of Ukraine', 'Athletics', 'Campus and area transportation', 'Traditions', 'Formal academic events', 'University community weekends', "Boar's Head Feast", 'Wilson Day', 'Notable alumni and faculty', 'Gallery', 'See also', 'Rail', 'Airline', 'Energy', 'Telecommunications', 'International trade', 'Financial position', 'Currency and central bank', 'Corruption', 'Law and government', 'Regulations', 'Books', 'Reception', 'Sales', 'Critical response', 'Accolades', 'Further reading', 'References'], ['Legislation', 'European Union', 'Licensing', 'Registration', 'Mandatory safety equipment', 'Right-of-way', 'Safety', 'See also', 'References', 'Geology', 'Fauna', 'Flora', 'History', 'Native American', 'Colonial', 'Sovereignty', 'Revolutionary War', 'Admission to the Union', 'Civil War']]



['Wikipedia: Quaestor', 'Wikipedia: Reflux suppressant', 'Wikipedia: Sumba', 'Wikipedia: Snare drum', 'Wikipedia: History of Slovakia', 'Wikipedia: Stolen Generations', 'Wikipedia: Sukkot', 'Wikipedia: Slave (disambiguation)', 'Wikipedia: Slot machine', 'Wikipedia: StrongARM', 'Wikipedia: Tort', 'Wikipedia: Demographics of Turkey', 'Wikipedia: Tacticity', 'Wikipedia: Taiwan independence movement', 'Wikipedia: University of California, San Francisco', 'Wikipedia: USS Monitor', 'Wikipedia: Vabis']
[['Procyon B', 'X-ray emission', 'Possibility of life', 'Etymology and cultural significance', 'View from this system', 'See also', 'References', 'Sources', 'Etymology', 'History', 'Origins', 'Roman Republic', 'Late Antiquity', 'Powers and responsibilities', 'Independence and monarchy', 'World Wars and Greater Romania', 'Communism', 'Contemporary period', 'NATO and EU integration', 'Geography and climate', 'Climate', 'Governance', 'Foreign relations', 'Military', 'Other translations', 'English', 'German', 'French', 'Russian', 'Other languages', 'Influence', 'Literature', 'Cinema', 'Music', 'Motivation', 'Benefits', 'Challenges', 'Testing', 'Techniques', 'Hardware refactoring', 'History', 'Automated code refactoring', 'See also', 'Military transformation', 'Awards and decorations', 'Flight information', 'Effective dates of promotion', 'Retirement and post-retirement', 'Personal life', 'His publications', 'Gallery', 'Quotes', 'Notes', 'All articles lacking sources', 'Articles lacking sources from December 2009', 'Drugs acting on the gastrointestinal system and metabolism', 'References', 'Further reading'], ['Types of seafood', 'Processing', 'Consumption', 'Texture and taste', 'Health benefits', 'Health hazards', 'Mislabelling', 'Sustainability', 'In religion', 'See also', 'Sixth Republic 1987–present', 'Roh Tae-woo, 1988–1993', 'Kim Young-sam, 1993–1998', 'Kim Dae-jung 1998–2003', 'Roh Moo-hyun, 2003–2008', 'Lee Myung-bak, 2008–2013', 'Park Geun-hye, 2013–2017', 'Moon Jae-in, 2017-present', 'See also', 'References', 'Literature', 'See also', 'Notes', 'References', 'Bibliography'], ['See also', 'References'], ['Character overview', 'Origin of name', 'Portrayals', 'References', 'Sugar beet', 'Refining', 'Forms and uses', 'Crystal size', 'Shapes', 'Brown sugars', 'Liquid sugars', 'Other sweeteners', 'Consumption', 'Nutrition and flavor', 'Terminology', 'Bonded labour', 'Chattel slavery', 'Dependents', 'Forced labour', 'Forced marriage', 'Characteristics', 'Economics', 'Identification', 'History', 'Preparation for STS-1', 'Post-Challenger', 'Post-Columbia', 'Museum exhibit', 'Washington, D.C.', 'New York', 'Gallery', 'See also', 'References', 'Attribution', 'Bibliography', 'Primary sources'], ['Origins', 'Laws and customs', 'Sukkah', 'Prayers', 'Hoshanot', 'Ushpizin and Ushpizata', 'Avatars', 'Festivals', 'Beyond the Indian subcontinent and Hinduism', 'In contemporary culture', 'References', 'Sources'], ['References'], ['Arts, entertainment, and media', 'Health', 'Life span', 'Grooming', 'See also', 'References'], ['Uruguay', 'Other', 'See also', 'Terminology', 'History', 'Medieval period', 'English influence', 'United States influence', 'Radiological', 'Biological', 'Chemical', 'Exposure routes', 'See also', 'Notes', 'References', 'Bibliography', 'Further reading', 'Population', 'Life expectancy', 'Vital statistics', 'UN estimates', 'Registered births and deaths', 'Birth and death rate by region and year', 'Archaeology', 'In fiction', 'Children and family', 'Ancestry', 'See also', 'References', 'Bibliography', 'Primary sources', 'Secondary material'], ['By region', 'Major tram and light rail systems', 'Current systems', 'Statistics', 'Historical', 'Indonesia', 'Africa', 'Asia', 'Europe', 'North America', 'See also', 'Describing tacticity', 'Diads', 'Background', 'Current political situation in Taiwan', 'Legal basis for Taiwan independence', 'History of Taiwan independence', 'Music', 'Leitmotifs', 'Instrumentation', 'Tonality', 'Composition of the Ring cycle', 'The text', 'The music', 'Performances', 'First productions', 'Modern productions', 'Pre-production', 'Production', 'Themes', 'The film as a Spaghetti Western', 'Cinematography', 'Releases', 'Critical reception', 'Home media', 'Deleted scenes', 'Music', 'President, parliament and government', 'Courts and law enforcement', 'Foreign relations', 'Administrative divisions', 'Armed forces', 'Economy', 'Corporations', 'Transport', 'Energy', 'Power generation', 'References'], ['History', 'Taxation', 'Expenditure', 'Federal budget and debt', 'Business culture', 'Demographic shift', 'Aging', 'Entrepreneurship', 'Venture capital investment', 'Mergers and Acquisitions', 'Research and development', 'Conception', 'Approval', 'Design and description', 'Construction', 'Crew', 'History', 'References'], ['Postbellum era to present', 'Demographic changes and rise of eugenics in 20th century', 'Natural disasters', 'Political changes', 'Demographics', 'Population changes', 'Birth data', 'Population characteristics', 'Vermont speech patterns', 'Religion']]



['Wikipedia: Prisoner of war', 'Wikipedia: Relational database', 'Wikipedia: Rupert Murdoch', 'Wikipedia: Russian Civil War', 'Wikipedia: SI base unit', 'Wikipedia: Geography of South Korea', 'Wikipedia: Split screen (video production)', 'Wikipedia: Space Shuttle Columbia', 'Wikipedia: Sap beetle', 'Wikipedia: Terbium', 'Wikipedia: Transmission Control Protocol', 'Wikipedia: True BASIC', 'Wikipedia: Volvo']
[['Ancient times', 'Middle Ages and Renaissance', 'Modern times', 'European settlers captured in North America', 'French Revolutionary wars and Napoleonic wars', 'Roman Empire', 'Byzantine Empire', 'Notable quaestors', 'Gaius Gracchus', 'Marcus Antonius', 'Gaius Julius Caesar', 'Marcus Tullius Cicero', 'See also', 'References', 'Further reading', 'Administrative divisions', 'Economy', 'Infrastructure', 'Tourism', 'Science and technology', 'Demographics', 'Languages', 'Religion', 'Urbanisation', 'Education', 'Television', 'Other media', 'Other', 'Anniversary events', 'See also', 'References'], ['References', 'Further reading'], [], ['Early life', 'Activities in Australia and New Zealand', 'Background', 'World War I', 'February Revolution', 'History', 'Geography, climate and ecology', 'Fauna', 'Threats and preservation', 'Administration', 'Culture', 'Development and living standards', 'Health', 'Water', 'Electricity', 'References', 'Citations', 'Sources', 'Further reading'], ['Citations', 'Sources'], ['Playing', 'Construction', 'History', 'Definitions', 'Types', 'Famous solo works', 'Famous orchestral repertoire', 'Prehistory', 'Antiquity', 'Medieval history', 'New migrations', 'Arrival of the Slavs', 'Avar Khaganate', 'Principality of Nitra', 'Great Moravia', 'High Middle Ages', 'Settlement of Hungarians in the 10th century', 'Popularisation', 'Influences', 'Digital technology', 'Usage', 'In films', 'By filmmakers', 'Health effects', 'Sugar industry funding and health information', 'Obesity and metabolic syndrome', 'Hyperactivity', 'Tooth decay', 'Nutritional displacement', "Alzheimer's disease", 'Recommended dietary intake', 'Measurements', 'Society and culture', 'Early history', 'Classical antiquity', 'Africa', 'Asia', 'Europe', 'Ancient Greece and Rome', 'Middle Ages', 'Americas', 'China', 'Korea'], ['History', 'Construction milestones', 'Emergence of the child removal policy', 'Northern Territory', 'Policy in practice', 'Effects on the removed and their descendants', 'Removed people', 'Generational effects', 'Public awareness and recognition', 'Australian federal parliament apology', 'Legal status and compensation', 'Historical debate over the Stolen Generations', 'Chol HaMoed intermediate days', 'Hakhel assembly', 'Simchat Beit HaShoevah water-drawing celebration', 'Hoshana Rabbah (Great Supplication)', 'Shemini Atzeret and Simchat Torah', "Jeroboam's feast", 'In Christianity', 'Academic views', 'See also', 'References', 'Classification', 'References'], ['Fictional entities', 'Films', 'Literature', 'Music', 'Artists', 'Albums', 'Songs', 'Theater', 'Places', 'Other uses', 'Etymology', 'History', 'Operation', 'Terminology', 'Pay table', 'Technology', 'Reels', 'History', 'SA-110', 'Description', 'SA-1100', 'SA-1110', 'SA-1500', 'StrongARM latch', 'References', 'Further reading', 'Modern development', 'Comparative law', 'Conflict of laws', 'Categories', 'Negligence', 'Proximate cause', 'Intentional torts', 'Statutory torts', 'Nuisance', 'Defamation', 'Characteristics', 'Physical properties', 'Chemical properties', 'Compounds', 'Total births and deaths by region and year', 'Natural increase by region and year', 'Historical fertility rate', 'Total fertility rate (TFR) by province and year', 'Structure of the population', 'Immigration', 'Internal migration', 'Ethnic groups and languages', 'Turks', 'Kurds', 'Historical origin', 'Network function', 'TCP segment structure', 'Canada', 'United States of America', 'Oceania', 'Australia', 'New Zealand', 'South America', 'Incidents', 'In popular culture', 'Tram modelling', 'See also', 'Triads', 'Tetrads, Pentads, etc.', 'Other conventions for quantifying tacticity', 'Polymers', 'Isotactic polymers', 'Syndiotactic polymers', 'Atactic polymers', 'Eutactic polymers', 'Head/tail configuration', 'Techniques for measuring tacticity', 'Martial law period', 'Multiparty period', 'Chen Shui-bian administration (2000–2008)', 'Ma Ying-jeou administration (2008–2016)', 'Tsai Ing-wen administration (2016–present)', 'Significance', 'Responses', 'Support for independence', 'Support for status quo', 'Opposition to independence', 'Recordings of the Ring cycle', 'Other treatments of the Ring cycle', 'References and notes', 'Sources', 'Further reading'], ['Legacy', 'Re-evaluation', 'In popular culture', 'Sequel', 'See also', 'References', 'Bibliography', 'Further reading'], ['Renewable energy use', 'Internet and IT', 'Tourism', 'Demographics', 'Population', 'Ethnic composition', 'Language', 'Religion', 'Health', 'Education', 'Beginnings', 'Expansion and growth', 'Post-War 20th century', 'Late 20th century', '21st century', 'Campus', 'Parnassus', 'Mission Bay', 'Other centers, institutes, and programs', 'Health policy', 'Impact of recession on research spending', 'Business spending on research', 'Research spending at the state level', 'Research spending by multinational corporations', 'Exports of high-tech goods and patents', 'Notable companies and markets', 'Forbes top 10 U.S. corporations by revenue', 'Finance', 'Historical statistics', 'Manufacturing', 'Service', 'Battle of Hampton Roads', 'Duel of the ironclads', 'Events after the battle', "Battle of Drewry's Bluff", 'Repairs and refit', 'Final voyage', 'Rediscovery', 'Recovery', 'Memorials', 'History', 'Early years and international expansion', 'Partnerships and merging attempts', 'Refocusing on heavy vehicles', 'Economy', 'Personal income', 'Agriculture', 'Dairy farming', 'Forestry', 'Other', 'Manufacturing', 'Health', 'Housing', 'Labor']]



['Wikipedia: Q.E.D.', 'Wikipedia: Russell Crowe', 'Wikipedia: Saint Louis', 'Wikipedia: Salò, or the 120 Days of Sodom', 'Wikipedia: Syphilis', 'Wikipedia: Satyr', 'Wikipedia: Shaul Mofaz', 'Wikipedia: Tobacco', 'Wikipedia: TRS-80 Color Computer', 'Wikipedia: Volkswagen']
[['Prisoner exchanges', 'American Civil War', 'Amelioration', 'Hague and Geneva Conventions', 'Qualifications', 'Rights', 'U.S. Code of Conduct and terminology', 'World War I', 'Release of prisoners', 'World War II'], ['Etymology and early use', 'Modern philosophy', 'Healthcare', 'Culture', 'Arts and monuments', 'Holidays, traditions, and cuisine', 'Sports', 'See also', 'Notes', 'References', 'Sources', 'Primary sources', 'Early life', 'Career', 'New Zealand', 'Australia', 'North America', 'Music', 'History', 'Relational model', 'Keys', 'Relationships', 'Transactions', 'Stored procedures', 'Terminology', 'Relations or tables', 'Domain', 'Constraints', 'Political activities in Australia', 'Activities in the United Kingdom', 'Business activities in the United Kingdom', 'Political activities in United Kingdom', 'News International phone hacking scandal', 'Activities in the United States', 'Political activities in the United States', 'Activities in Europe', 'Activities in Asia', 'Personal life', 'October Revolution', 'Formation of the Red Army', 'Anti-Bolshevik movement', 'Allied intervention', 'Buffer states', 'Geography and Chronology', 'Warfare', 'Initial anti-Bolshevik uprisings', 'Peace with the Central Powers', 'Ukraine, South Russia, and Caucasus (1918)', 'Tourism', 'Some places to visit', 'International hotels', 'Map', 'See also', 'Notes', 'References'], ['Definitions', '2019 redefinition of SI base units', 'See also', 'References'], ['Land area and borders', 'Topography and drainage', 'Climate', 'Resources and land use', 'Environmental concerns', 'Natural hazards', 'Volcanism', 'Environment', 'Current issues', 'International agreements', 'Method books', 'Individual class', 'Group class', 'Popular brands', 'See also', 'References', 'Sources'], ['Tercia pars regni or Principality of Nitra (11th century)', 'Mongol invasion (1241-1242)', 'Development of counties and towns', 'Period of the oligarchs (1290–1321)', 'Late Middle Ages (14–15th centuries)', 'Modern Era', 'Early Modern Period', 'Habsburg and Ottoman administration', 'Late Modern Period', 'Slovak National Movement', 'In technology', 'In music video', 'In television', 'Notable uses of split screen', 'See also', 'References'], ['See also', 'Gallery', 'References', 'Further reading'], ['Britain', 'Ottoman Empire', 'Poland', 'Spain and Portugal', 'Russia', 'Scandinavia', 'Early modern period', 'Nazi Germany', 'Barbados', 'Brazil', 'First operational orbiter', 'Weight', 'Thermal protection system', 'Markings and insignia', 'SILTS pod', 'Other upgrades', 'Future', 'Flights', 'Mission and tribute insignias', 'Final mission and destruction', 'Nomenclature and debate over the use of the word "stolen"', 'History Wars', 'Genocide debate', 'Representation in other media', 'Documentary', 'Feature film and television drama', 'Stage', 'Literature', 'Comparisons', 'The White Stolen Generations', 'Further reading'], ['Jewish', 'General', 'By branch of Judaism', 'Christian', 'Signs and symptoms', 'Primary', 'Secondary', 'Latent', 'Tertiary', 'Congenital', 'See also', 'Terminology', 'Origin hypotheses', 'Computerization', 'Video slot machines', 'Random number generators', 'Payout percentage', 'Linked machines', 'Fraud', 'Jackpot errors', 'Legislation', 'United States', 'Private ownership', 'Biography', 'Early life and military career', 'Political career', 'In popular culture', 'Business torts', 'Liability, defenses, and remedies', 'Vicarious liability', 'Defenses', 'Consent and warning', 'Comparative or contributory negligence', 'Illegality', 'Other defenses and immunities', 'Remedies', 'Theory and reform', 'Isotopes', 'History', 'Occurrence', 'Production', 'Applications', 'Precautions', 'References'], ['Albanians', 'Arabs', 'Armenians', 'Assyrians/Syriacs', 'Azerbaijanis', 'Bosniaks', 'Chechens', 'Circassians', 'Georgians', 'Greeks', 'Protocol operation', 'Connection establishment', 'Resource usage', 'Data transfer', 'Reliable transmission', 'Dupack-based retransmission', 'Timeout-based retransmission', 'Error detection', 'Flow control', 'Congestion control', 'Tram types', 'Trams by region', 'Other topics', 'References', 'Bibliography', 'Further reading'], ['References'], ['Etymology', 'Public opinion', 'The issue of Kinmen (Quemoy) and Matsu (Lienchiang)', 'Significance of Kinmen and Matsu', 'Kinmen and Matsu relations with mainland China', 'Kinmen and Matsu as part of Taiwan', 'Notable advocates', 'See also', 'Notes', 'References', 'Further reading', 'History', 'Features', 'Reception', 'Further reading', 'References'], ['History', 'Color Computer 1 (1980–1983)', 'Color Computer 2 (1983–1986)', 'Color Computer 3 (1986–1991)', 'Regional differences', 'Urbanisation', 'Culture', 'Weaving and embroidery', 'Literature', 'Architecture', 'Music', 'Cinema', 'Media', 'Sport', 'Academics', 'Rankings', 'Faculty', 'School of Medicine', 'Graduate Division', 'School of Nursing', 'School of Pharmacy', 'School of Dentistry', 'UCSF Health', 'UCSF Medical Center', 'Income', 'Compensation', 'Wage', 'Productivity', 'Inequality', 'Health spending', 'Tariff rates', 'Trade balance', 'Inflation', 'Federal tax', 'Legacy', 'See also', 'Notes', 'References', 'Bibliography', 'Primary sources', 'Further reading'], ['Business', 'Trademark', 'Collaboration with universities and colleges', 'See also', 'References'], ['Insurance', 'Tourism', 'Autumn', 'Winter', 'Quarrying', 'Non-profits and volunteerism', 'Transportation', 'Major routes', 'North–south routes', 'East–west routes']]



['Wikipedia: Robert Chambers (publisher, born 1802)', 'Wikipedia: Sabbath in Christianity', 'Wikipedia: Second', 'Wikipedia: Demographics of South Korea', 'Wikipedia: History of Saint Helena', 'Wikipedia: Software documentation', 'Wikipedia: Space Shuttle Discovery', 'Wikipedia: Stasi', 'Wikipedia: Tungsten', 'Wikipedia: The Book of the Law', 'Wikipedia: Trident (missile)', 'Wikipedia: Osmotic pressure', 'Wikipedia: Urząd Ochrony Państwa']
[['Treatment of POWs by the Axis', 'Empire of Japan', 'Germany', 'French soldiers', "Western Allies' POWs", 'Italian POWs', 'Eastern European POWs', 'Treatment of POWs by the Soviet Union', 'Germans, Romanians, Italians, Hungarians, Finns', 'Polish', 'Difference from Q.E.F.', 'English equivalent', 'Typographical forms used symbolically', 'Modern humorous use', 'See also', 'References'], ['Secondary sources'], ['Government', 'Culture and history links', 'Philanthropy', 'Personal life', 'Al-Qaeda threats', 'Altercations and controversies', 'Sport', 'Rugby league', 'Other sporting interests', 'Filmography and awards', 'See also', 'References', 'Primary key', 'Foreign key', 'Index', 'Relational operations', 'Normalization', 'RDBMS', 'Distributed relational databases', 'Market share', 'See also', 'References', 'Marriages', 'Children', 'Portrayal on television, in film, books and music', 'Influence, wealth and reputation', 'See also', 'References', 'Further reading', 'Hardcopy', 'Online', 'Lists', 'Eastern Russia, Siberia and Far East of Russia (1918)', 'Central Asia (1918)', 'Left SR uprising', 'Estonia, Latvia and Petrograd', 'Northern Russia (1919)', 'Siberia (1919)', 'South Russia (1919)', 'Central Asia (1919)', 'South Russia, Ukraine and Kronstadt (1920–21)', 'Siberia and the Far East (1920–22)', 'History', 'Sabbath timing', 'Early Christianity', 'Corporate worship', 'Day of rest', 'Clocks and solar time', 'Events and units of time in seconds', 'Other units incorporating seconds', 'Timekeeping standards', 'Optical lattice clock', 'History of definition', 'References', 'Further reading', 'See also', 'Discovery and early years, 1502–1658', 'East India Company, 1658–1815', "British rule 1815–1821, and Napoleon's exile", 'British East India Company, 1821–1834', 'British rule, a Crown colony, 1834–1981', 'Hungarian Revolution of 1848', 'Austro-Hungarian Compromise of 1867', 'Czechoslovakia', 'Formation of Czechoslovakia', 'First Czechoslovak Republic (1918–1938)', 'Towards autonomy of Slovakia (1938–1939)', 'World War II', 'Czechoslovakia after World War II', 'Velvet Revolution (1989)', 'Contemporary period', 'Requirements documentation', 'Architecture design documentation', 'Technical documentation', 'Technical documentation embedded in source code', 'Literate programming', 'Elucidative programming', 'Places', 'United States', 'Canada', 'France', 'Haiti', 'Seychelles', 'Senegal', 'Thailand', 'Cuba', 'Haiti', 'Jamaica', 'Mexico', 'Puerto Rico', 'Suriname', 'United States', 'India', 'Indochina', 'Japan', 'Tributes and memorials', 'Media tributes', 'Popular culture', 'See also', 'References'], ['Trauma and healing', 'See also', 'References', 'Further reading and external links', 'Bibliography and guides', 'Human Rights and Equal Opportunity Commission', 'Government', 'Academic sources', 'News', 'Other', 'Plot', 'Anteinferno', 'Circle of Manias / Girone delle Manie', 'Circle of Shit / Girone della Merda', 'Circle of Blood / Girone del Sangue', 'Cast', 'Production', 'Cause', 'Bacteriology', 'Transmission', 'Diagnosis', 'Blood tests', 'Direct testing', 'Prevention', 'Vaccine', 'Sex', 'Congenital disease', 'Indo-European', 'Near Eastern', 'In archaic and classical Greece', 'Physical appearance', 'Behavior', 'Mythology', 'Later antiquity', 'Hellenistic Era', 'Ancient Rome', 'After antiquity', 'Canada', 'Australia', 'Russia', 'United Kingdom', 'Category A', 'Category B', 'Category C', 'Japan', 'Problem gambling and slot machines', 'Skill stops', 'See also', 'References'], ['Relationship to contract law', 'Overlap with criminal law', 'Law and economics', 'See also', 'Notes', 'References', 'Citations', 'Sources', 'Further reading'], ['Characteristics', 'Physical properties', 'Isotopes', 'Chemical properties', 'History', 'Iranians', 'Laz', 'Roma people', 'Zazas', 'Religion', 'Census', 'Census of 1927', '1965 census', 'Minorities', 'CIA World Factbook demographic statistics', 'Maximum segment size', 'Selective acknowledgments', 'Window scaling', 'TCP timestamps', 'Out-of-band data', 'Forcing data delivery', 'Vulnerabilities', 'Denial of service', 'Connection hijacking', 'TCP veto', 'Creation', 'Summons', 'Writing', 'Changes to the manuscript', 'Chapter 1', 'Chapter 3', 'History', 'Traditional use', 'Popularization', 'Contemporary', 'Biology', 'Nicotiana', 'Types', 'Production', 'Cultivation', 'Curing'], ['Development', 'Description', 'Theory and measurement', 'Applications', "Derivation of the van\xa0't Hoff formula", 'See also', 'Hardware design and integrated circuits', 'SAM', 'VDG', 'Alphanumeric/Semigraphics display', 'Additional Semigraphics modes', 'Graphics display', 'Artifact colors', 'Lowercase and the 6847T1', 'PIAs', 'Interface to external peripherals', 'Cuisine', 'See also', 'Notes', 'References', 'Print sources', 'Reference books', 'Recent (since 1991)'], ['Research', 'Student life', 'Notable people', 'Chancellors', 'Notable alumni and faculty', 'References'], ['Government spending', 'Debt', 'Deficit', 'Effects of COVID-19 outbreak on US economy', 'List of state and territory economies', 'State and federal district economies', 'Territory economies', 'See also', 'References', 'Citations', 'Foundation', 'Reasons for formation', 'Agency split', 'UOP Chiefs', 'See also', 'History', "1932–1938: People's Car project", '1945–1948: British Army intervention, unclear future', '1948–1961: Icon of post war West Germany', '1961–1973: Beetle to Golf', '1974–1990: Product line expansion', '1991–1999', 'Rail', 'Bus', 'Intercity', 'Local', 'Ferry', 'Airports', 'Media', 'Newspapers of record', 'Broadcast media', 'Utilities']]



['Wikipedia: Quagga', 'Wikipedia: Robert Musil', 'Wikipedia: Rule of Saint Benedict', 'Wikipedia: Historical negationism', 'Wikipedia: Geography of Saint Helena', 'Wikipedia: Septimius Severus', 'Wikipedia: Sneaker Pimps', 'Wikipedia: The War of the Worlds (disambiguation)', 'Wikipedia: Politics of Turkey', 'Wikipedia: Twilight: 2000', 'Wikipedia: Ulysses S. Grant', 'Wikipedia: University of California', 'Wikipedia: Communications in the United States', 'Wikipedia: UOP']
[['Japanese', 'Americans', 'Treatment of POWs by the Western Allies', 'Germans', 'Hungarians', 'Italians', 'Cossacks', 'Transfers between the Allies', 'Post-World War II', 'Numbers of POWs', 'Taxonomy', 'Evolution', 'Description', 'Behaviour and ecology', 'Decline and extinction', 'Breeding back project', 'Early life', 'Early works', 'Marriage', 'W. & R. Chambers', 'Vestiges', 'Other activities', 'Book of Days', 'Death', 'Works'], ['Family', 'Early life', 'Origins', 'Overview', 'Secular significance', 'Individual items'], ['Origin of the term', 'Aftermath', 'Ensuing rebellion', 'Casualties', 'In fiction', 'Literature', 'Film', 'Video Games', 'See also', 'Notes', 'References', 'From ancient times to Middle Ages', 'Continuations of Hebrew practices', 'Oriental Orthodoxy', 'Protestant Reformation', 'Common theology', 'Spiritual rest', 'Sabbatarian churches', 'Roman Catholicism', 'Eastern Orthodoxy', 'Eastern Christianity and Saturday vs. Sunday observances', 'Sexagesimal divisions of calendar time and day', 'Fraction of solar day', 'Fraction of an ephemeris year', '"Atomic" second', 'SI multiples', 'See also', 'Notes', 'References'], ['Background', 'Population trends', 'Population settlement patterns', 'Aging population', 'Urbanization', 'Vital statistics', 'UN estimates', 'Life expectancy at birth from 1908 to 2015', 'Total Fertility Rate from 1900 to 1924', 'Registered births and deaths', '1981 to present', 'History of British and other Royal visitors', 'History of the media in St Helena', 'Ecological significance', 'References'], ['Independent Slovakia', 'See also', 'Notes', 'References', 'Sources', 'Historiography', 'Primary sources'], ['User documentation', 'Composing user documentation', 'Documentation and agile development controversy', 'Marketing documentation', 'See also', 'Notes'], ['People', 'Ships', 'Sports', 'Soccer teams', 'Colleges and universities', 'Transportation', 'Other uses', 'See also', 'Oceania', 'Ottoman Empire and Black Sea', 'Legal rights', 'Contemporary slavery', 'Distribution', 'Libya', 'Mauritania', 'Trafficking', 'Abolitionism', 'In antiquity', 'History', 'Construction milestones', 'Upgrades and features', 'Decommissioning and display', 'Flights', 'Flights listing', 'Mission and tribute insignias', 'Early life', 'Family and education', 'Public service', 'Conception', 'Trilogy of death', 'Casting', 'Filming', 'Post-production', 'Musical score', 'Alternate endings', 'Release', 'Censorship', 'Reception', 'Screening', 'Treatment', 'Early infections', 'Late infections', 'Jarisch–Herxheimer reaction', 'Pregnancy', 'Epidemiology', 'History', 'Arts and literature', 'Tuskegee and Guatemala studies', 'Middle Ages', 'Renaissance', 'Early Modern Period', 'Nineteenth century', 'Twentieth and twenty-first centuries', 'See also', 'Notes', 'References', 'Bibliography'], ['See also', 'References', 'Bibliography'], ['Creation', 'Relationship with the KGB', 'Organization', 'Ministry for State Security', 'Central Apparatus', 'District Departments and Area Precincts', 'Operations', 'Personnel and recruitment', 'Infiltration', 'Zersetzung', 'Radio', 'Film', 'Television', 'Etymology', 'Occurrence', 'Chemical compounds', 'Production', 'Applications', 'Hard materials', 'Alloys', 'Armaments', 'Chemical applications', 'Niche uses', 'See also', 'References', 'Notes'], ['TCP ports', 'Development', 'TCP over wireless networks', 'Hardware implementations', 'Debugging', 'Alternatives', 'Checksum computation', 'TCP checksum for IPv4', 'TCP checksum for IPv6', 'Checksum offload', 'Speakers', 'Interpretation', 'Symbolism of the "New Aeon of the Child"', 'Qabalah of The Book of the Law', 'Prophecy of the Book', 'The Comment', 'Skeptical interpretations', 'Structure and title', 'Editions', 'In popular culture', 'Global production', 'Trends', 'Major producers', 'China', 'India', 'Brazil', 'Problems in production', 'Child labor', 'Economy', 'Environment', 'Trident I (C4) UGM-96A', 'Trident II (D5) UGM-133A', 'D5LE (D5 Life Extension Program)', 'D5LE2 (D5 Life Extension Program 2)', 'Conventional Trident', 'Operators', 'See also', 'References'], ['References'], ['Setting', 'CoCo 3 hardware changes', 'Discontinuation', 'Successors', 'Clones and cousins', 'See also', 'References'], ['Early life and education', 'Early military career and personal life', 'West Point and first assignment', 'Marriage and family', 'Mexican–American War', 'History', 'Academics', 'Nobel Prize winners', 'Academic organization', 'Academic calendar', 'UC Libraries', 'Sources'], ['History', 'References'], ['All article disambiguation pages', '2000–2016: Further expansion', '2017–present: Focus on electric vehicles', 'Operations', 'Worldwide presence', 'Work–life balance', 'Relationship with Porsche and the Volkswagen Law', 'AutoMuseum', 'Global sales figures, 2006–2018', 'Current models', 'Chinese models', 'Electricity', 'Communication', 'Law and government', 'Finances and taxation', 'Politics', 'State politics', 'Federal politics', 'Public health', 'Education', 'Higher education']]



['Wikipedia: QuickTime', 'Wikipedia: Rheumatoid arthritis', 'Wikipedia: Ralph Abercromby', 'Wikipedia: Metric prefix', 'Wikipedia: Geography of Slovakia', 'Wikipedia: Sense and Sensibility', 'Wikipedia: Salma Hayek', 'Wikipedia: Space Shuttle Atlantis', 'Wikipedia: Smiling Buddha', 'Wikipedia: Sturgeon-class submarine', 'Wikipedia: Technology', 'Wikipedia: 2001 Tour de France', 'Wikipedia: Classical unities', 'Wikipedia: Tsunami', 'Wikipedia: Thomas Lovejoy', 'Wikipedia: USS Peleliu']
[['In popular culture', 'Movies and Television', 'Songs', 'Games', 'See also', 'References', 'Notes', 'Citations', 'Bibliography', 'Primary sources', 'See also', 'References'], ['Principal writings', 'Unpublished manuscripts', 'Editor and contributor', 'References', 'Bibliography', 'Works by Chambers'], ['Youth and studies', 'Author', 'Thought', 'Later life', 'Legacy', 'Timeline', 'Bibliography', 'References', 'Further reading'], ['Outline of the Benedictine life', 'Reforms', 'Popular legend', 'See also', 'References'], ['Purposes', 'Ideological influence', 'Political influence', 'Techniques', 'Deception', 'Denial', 'Relativization and trivialization', 'Examples', 'Book burning', 'Chinese book burning', 'Citations', 'Bibliography', 'Further reading', 'Primary sources'], ['Lutheranism', 'The Church of Jesus Christ of Latter-day Saints', 'First-day sabbatarian churches and organizations', 'Seventh-day sabbatarian churches', 'Seventh-day Adventist Church', 'Related terms', 'See also', 'Notes', 'References', 'Citations', 'List of SI prefixes', 'Application to units of measurement', 'Metric units', 'Mass', 'Current natural population growth', 'Ethnic groups', 'Chinese in South Korea', 'North Americans in South Korea', 'Vietnamese in South Korea', 'Filipinos in South Korea', 'Foreign population', 'Languages', 'Religion', 'CIA World Factbook demographic statistics', 'Physical geography', 'Climate', 'Terrain', 'Geology', 'Geological features', 'Natural resources', 'Islands', 'Statistics', 'Area', 'Climate', 'References', 'Plot summary', 'Characters', 'Main characters', 'Minor characters', 'Development of the novel', 'Title', 'Early life', 'Career', 'Mexico', 'Early Hollywood acting work', 'Director, producer and actress', 'North America', 'Worldwide', 'Apologies', 'Reparations', 'Other uses of the term', 'Media', 'See also', 'References', 'Bibliography and further reading', 'Surveys and reference', 'Flow directors', 'Gallery', 'See also', 'References'], ['Marriages', 'Rise to power', 'Emperor', 'War against Parthia', 'Relations with the Senate and People', 'Military reforms', 'Reputed persecution of Christians', 'Military activity', 'Africa (202)', 'Britain (208)', 'Home media', 'Critical analysis', 'Legacy', 'Notes', 'References', 'Further reading'], ['Names', 'References', 'Further reading'], ['()', 'Design', 'Armament', 'Noise reduction', 'History', 'Members', 'Current members', 'Contributors and former members', 'Discography', 'Albums', 'Singles', 'Promo singles', 'Music videos', 'International operations', 'Examples', 'Fall of the Soviet Union', 'Recovery of Stasi files', 'Storming the Stasi headquarters', 'Controversy of the Stasi files', 'Tracking down former Stasi informers with the files', 'Reassembling the destroyed files', 'Museums', 'Berlin', 'Video games', 'Print works', 'Music', 'Other uses', 'See also', 'Gold substitution', 'Electronics', 'Nanowires', 'Fusion power', 'Biological role', 'In archaea', 'Health factors', 'Patent claim', 'See also', 'References', 'Executive Branch', 'Legislative Branch', 'Local government', 'Judiciary', 'Political principles of importance in Turkey', 'Political parties and elections', 'Military involvement in politics', 'See also', 'References', 'RFC documents', 'See also', 'Notes', 'References', 'Further reading'], ['See also', 'Notes', 'Further reading'], ['Research', 'Genetic modification', 'Field trials', 'Consumption', 'Impact', 'Social', 'Religion', 'Christianity', 'Islam', 'Demographic', 'Terminology', 'Tsunami', 'Tidal wave', 'Seismic sea wave', 'Original setting', 'Later history', 'Revised setting', 'Alternative settings', 'Merc 2000', 'Cadillacs and Dinosaurs', 'Dark Conspiracy', 'OPFOR Games', 'Publication history', 'First and Second Editions', 'Biography', 'Quotes', 'References'], ['Post-war assignments and resignation', 'Civilian struggles, slavery, and politics', 'Civil War', 'Early commands', 'Belmont, Forts Henry and Donelson', 'Shiloh and aftermath', 'Vicksburg campaign', 'Chattanooga and promotion', 'Overland Campaign', 'Appomattox campaign, and victory', 'Research', 'Governance', 'UC presidents', 'Finances', 'Faculty pay', 'Criticism and controversies', 'Campuses and rankings', 'Student profile', 'Labor unions', 'Admissions', 'Press', 'Mail', 'Telephone', 'Landlines', 'Cellular/Wireless communication', 'Radio', 'Television', 'Internet', 'See also', 'References', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'GTI models', 'Electric models', 'GTE models', 'e-models', 'ID models', 'R models', 'Historic models', 'Electric and alternative fuel vehicles', 'Pure ethanol vehicles', 'Flexible-fuel vehicles', 'Culture', 'Sports', 'Winter sports', 'Baseball', 'Basketball', 'Football', 'Hockey', 'Soccer', 'Motorsport', 'Residents']]



['Wikipedia: Quoin (disambiguation)', 'Wikipedia: Radiometric dating', 'Wikipedia: SI derived unit', 'Wikipedia: Economy of South Korea', 'Wikipedia: Politics of Saint Helena', 'Wikipedia: Slavic', 'Wikipedia: Supply chain management', 'Wikipedia: Space Shuttle Endeavour', 'Wikipedia: Shea Stadium', 'Wikipedia: SunOS', 'Wikipedia: Sandra Bullock', 'Wikipedia: The Doors (album)', 'Wikipedia: Tantalum', 'Wikipedia: Alhambra', 'Wikipedia: Titan', 'Wikipedia: Tower of London', 'Wikipedia: Tactic (method)', 'Wikipedia: University of California, Berkeley', 'Wikipedia: United States Code', 'Wikipedia: Vänern']
[['History', 'Technology', 'Internet', 'Actions which reduce privacy', 'Collecting information', 'Aggregating information', 'Information dissemination', 'Invasions', 'Right to privacy', 'Definitions', 'QuickTime X', 'Previous versions', 'Bugs and vulnerabilities', 'See also', 'References'], ['Sixteenth century', 'Seventeenth century', 'Eighteenth century', 'Nineteenth century', 'Modern', 'Notable theorists', 'Methods of analysis', 'Criticism seen as a method', 'Observation on analytic method', 'Strategies', 'Topography', 'Ural Mountains', 'West Siberian plain', 'Central Siberian plateau', 'Sayan and Stanovoy Mountains', 'Caucasus Mountains', 'Northeast Siberia and Kamchatka', 'Drainage', 'Agriculture geography', 'Pre-industrial agriculture', 'Environmental', 'Negative findings', 'Pathophysiology', 'Non-specific inflammation', 'Amplification in the synovium', 'Chronic inflammation', 'Diagnosis', 'Imaging', 'Blood tests', 'Classification criteria', 'Yugoslavia', "French law recognizing colonialism's positive value", 'Marcos martial law negationism in the Philippines', 'Ramifications and judicature', 'International law', 'Domestic law', 'In fiction', 'See also', 'Cases of denialism', 'Notes', 'See also', 'Official validation', 'Examples and pseudocode', 'Example hashes', 'SHA-1 pseudocode', 'Comparison of SHA functions', 'Implementations', 'See also', 'Notes', 'References'], ['Derived units with special names', 'Examples of derived quantities and units', 'Other units used with SI', 'Supplementary units', 'Latest elections', 'Political pressure groups and leaders', 'Administrative divisions', 'International organization participation', 'References'], ['Health', 'Ascension Island and Tristan da Cunha', 'See also', 'References', "Mother's mean age at first birth", 'Life expectancy at birth', 'Dependency ratios', 'Ethnic groups', 'Languages', 'Religions', 'School life expectancy (primary to tertiary education)', 'Unemployment, youth ages 15-24', 'Sex ratio', 'Immigration', 'References', 'Peoples', 'Languages, alphabets, and names', 'Game history', '1960s: Early history and Packers dominance', '1970s: Dominant franchises', "1981–1996: The NFC's winning streak", '1997–2009: AFC resurgence and the rise of the Patriots', "2010s: The Patriots' second run; parity in the NFC", '2020s', 'Television coverage and ratings', 'Super Bowl on TV', 'Lead-out programming', 'Mission', 'Origin of the term and definitions', 'Functions', 'Importance', 'Historical developments', 'History', 'Service', 'Early milestones', 'Upgrades and features', 'Final flights', 'Baseball Hall of Famers', 'Ford C. Frick Award recipients', 'Other', 'Giants in the Bay Area Sports Hall of Fame', 'San Francisco Giants Wall of Famers', 'Retired numbers', 'Also honored', 'Team captains', 'Season records', 'Roster', 'Massive explosive eruptions', 'Known super eruptions', 'Media portrayal', 'Gallery', 'See also', 'References', 'Further reading'], [], ['History', 'Planning and construction', 'See also', 'References', 'History', 'Cavalry', 'Asia', 'Chinese', 'India', 'Japan', 'Philippines', 'North America', 'Mesoamerica', 'Native American', 'Modern history', 'Early life', 'Career', 'Beginnings (1987–1993)', 'Worldwide exposure (1994–1999)', 'Complex technological systems', 'Other animal species', 'Future technology', 'See also', 'References', 'Further reading', 'See also', 'References'], ['Construction and contracting sector', 'Service sector', 'Transport', 'Communications', 'Tourism sector', 'Financial sector', 'Largest companies', 'External trade and investment', 'Natural resources', 'Energy', 'Etymology', 'History', 'Layout', 'Mythology', 'Etymology', 'Rites and rituals', 'Related gods', 'Mount Tlaloc', 'Geographical setting', 'Archaeological evidence', 'In popular culture', 'See also', 'Notes', 'Lyrics', 'See also', 'References'], ['Architecture', 'Layout', 'White Tower', 'Innermost ward', 'Victoria', 'Western Australia', 'See also', 'References'], ['State and territory TAFE websites', 'Victorian Association of TAFE Libraries', 'Vocational education and training (VET)', 'Career guidance', 'TAFE union sites'], ['Distinction from strategy', 'Military usage', 'Third term attempt', 'Business failures', 'Memoirs, pension, and death', 'Historical reputation', 'Memorials and presidential library', 'Dates of rank', 'See also', 'Notes', 'References', 'Bibliography', 'Seaport', 'See also', 'Notes', 'References', 'Further reading'], ['Congestion', 'Roadway links with adjacent countries and non-contiguous parts of the United States', 'Traffic codes', 'Air transportation', 'Rail', 'Rapid transit', 'Railway links with adjacent countries', 'Mass transit', 'Legislation', 'Water transportation', 'See also', 'References'], [], ['History', 'Geography', 'History', '19th century', 'Founding', 'Amusement pier', 'Politics', 'Oil', 'Neglect', 'Past gang activity', 'Geography']]



['Wikipedia: Quartz', 'Wikipedia: Romanticism', 'Wikipedia: Shannon Elizabeth', 'Wikipedia: Split (poker)', 'Wikipedia: Politics of Slovakia', 'Wikipedia: September', 'Wikipedia: Single European Sky', 'Wikipedia: SANS Institute', 'Wikipedia: Titius–Bode law', 'Wikipedia: Treaty of Brest-Litovsk', 'Wikipedia: Battle of the River Plate', 'Wikipedia: United States Congress']
[['An individual right', 'A collective value and a human right', 'Protection', 'Free market versus consumer protection approaches', 'Australia', 'European Union', 'India', 'Italy', 'United Kingdom', 'United States', 'Places', 'Other', 'See also', 'Criticism', 'Additional theoretical approaches', 'Purpose of criticism', 'French', 'Animal rhetoric', 'Notes', 'References', 'Citations', 'Sources', 'Further reading', 'Climate', 'Political geography', 'Border disputes', 'Government system', 'Political parties', 'Suffrage', 'Russian economy', 'Trade', "Russia's GDP", "Russia's gross national income", 'Differential diagnoses', 'Monitoring progression', 'Prevention', 'Management', 'Lifestyle', 'Disease modifying agents', 'Anti-inflammatory and analgesic agents', 'Surgery', 'Physiotherapy', 'Alternative medicine', 'References', 'Sources', 'Further reading'], ['Fundamentals', 'Radioactive decay', 'Decay constant determination', 'Accuracy of radiometric dating', 'Closure temperature', 'The age equation', 'Modern dating methods', 'Uranium–lead dating method', 'Samarium–neodymium dating method', 'Potassium–argon dating method', 'Early life', 'Career', 'Acting', 'See also', 'References', 'Bibliography'], ['History', 'Overview', 'Rapid growth from 1960s to 1980s', '1990s and the Asian Financial Crisis', '2000s', 'High-tech industries in the 1990s and 2000s', 'Data', 'Executive branch', 'Legislative branch', 'Political parties and elections', 'Judicial branch', 'International organization participation', 'References', 'Infant mortality rate', 'Religion', 'See also', 'References'], ['Mythology and faith', 'Places', 'Other', 'See also', 'Entertainment', 'Venues', 'Selection process', 'Home team designation', 'Host cities/regions', 'Host stadiums', 'Super Bowl trademark', 'Use of the phrase "world champions"', 'See also', 'References', 'Creation era', 'Integration era', 'Globalization era', 'Specialization era (phase I): outsourced manufacturing and distribution', 'Specialization era (phase II): supply-chain management as a service', 'Supply-chain management 2.0 (SCM 2.0)', 'Business-process integration', 'Theories', 'Organization and governance', 'Supply chain', 'Decommissioning', 'Flights', 'Tribute and mission insignias', 'Flow Directors', 'California Science Center', 'Legacy', 'In media', 'See also', 'References'], ['Minor league affiliations', 'Radio and television', 'Home run call glitch', 'Fight song and other music', 'See also', 'References', 'General reference'], ['History', 'Exclusion', 'Dates', 'Acceleration', 'See also', 'Opening', 'Demolition', 'Redevelopment', 'Stadium usage', 'Baseball', 'Boxing', 'Football', 'Soccer', 'Concerts', 'Other events', '"SunOS" and "Solaris"', 'User interface', 'See also', 'References'], ['Hunting', 'Types', 'Modern revival', 'In myth and legend', 'Symbolism', 'Legends', 'See also', 'Notes and references', 'Established career (2000–2008)', 'Critical recognition (2009–2014)', 'Later roles (2015–present)', 'Public image', 'Business ventures', 'Philanthropy', 'Personal life', 'Relationships', 'Children', 'Accidents', 'Background', 'Recording', 'Composition', 'Releases', 'Reception and legacy', 'Track listing', 'Original album', 'History', 'Characteristics', 'Physical properties', 'Isotopes', 'Chemical compounds', 'Oxides, nitrides, carbides, sulfides', 'Halides', 'Organotantalum compounds', 'Occurrence', 'Status as a conflict resource', 'Petroleum and natural gas', 'Nuclear energy', 'Geothermal energy', 'Energy security', 'Minerals', 'Environment', 'Regional disparities', 'Richest and poorest NUTS-2 regions (GDP PPP 2017)', 'Richest and poorest NUTS-1 regions (GDP PPP 2017)', 'See also', 'Main structures', 'Royal complex', 'Court of the Myrtles', 'Hall of the Ambassadors', 'Court of the Lions and fountain', 'Fountain of the Lions', 'Hall of the Abencerrajes', 'Generalife', 'Other features', 'Inscriptions', 'References'], ['Formulation', 'Arts and entertainment', 'Fictional entities', 'Fictional locations', 'Fictional species and groups', 'Fictional characters', 'Other fictional entities', 'Film and television', 'Gaming', 'Literature', 'Inner ward', 'Outer ward', 'Foundation and early history', 'Expansion', 'Later Medieval Period', 'Changing use', 'Restoration and tourism', 'Garrison', 'Crown Jewels', 'Royal Menagerie', 'Background', 'Peace negotiations', 'Terms of the treaty', 'See also', 'References'], [], ['Overview', 'History', 'History', 'Founding', '20th century', '21st century', 'Organization and administration', 'Name', 'Governance', 'Waterways', 'Ports and harbors', 'Merchant marine', 'Military', 'Pipeline statistics', 'Policy', 'Pedestrian', 'Complete Street', 'Traffic Flow', 'Funding', 'Codification', 'Process', 'Legal status', 'Uncodified statutes', 'Versions and history', 'Early compilations', 'Official code', 'Environment', 'Fish', 'Salmon', 'Other fish', 'Birds', 'See also', 'References'], ['Cityscape', 'Venice Canal Historic District', 'Abbot Kinney Boulevard', 'Venice Farmers Market', '72 Market Street Oyster Bar and Grill', 'Historic post office', 'Residences and streets', 'Fishing pier', 'Breakwater', 'Oakwood']]



['Wikipedia: Red tide', 'Wikipedia: Superconductivity', 'Wikipedia: Economy of Saint Helena', 'Wikipedia: Surface area', 'Wikipedia: Sports Car Club of America', 'Wikipedia: San Diego Padres', 'Wikipedia: Sputtering', 'Wikipedia: Sigrid Undset', 'Wikipedia: Smallfilms', 'Wikipedia: Transport in Turkey', 'Wikipedia: Valley']
[['Privacy on the Internet', 'Privacy and location-based services', 'Privacy self-synchronization', 'Privacy paradox and economic valuation', 'The privacy paradox', 'The economic valuation of privacy', 'Selfie culture', 'See also', 'References'], ['Etymology', 'Crystal habit and structure', 'Varieties (according to microstructure)', 'Varieties (according to color)', 'Amethyst', 'Blue quartz', 'Dumortierite quartz'], ['List of common red tide genera', 'Harmful toxins produced by the red tide', 'Currency', 'Poverty', 'Area and boundaries', 'Natural resources and land use', 'Natural hazards', 'Geography — note', 'See also', 'Notes', 'References', 'Further reading', 'Dietary supplements', 'Pregnancy', 'Vaccinations', 'Prognosis', 'Prognostic factors', 'Mortality', 'Epidemiology', 'History', 'Etymology', 'Research', 'Defining Romanticism', 'Basic characteristics', 'Etymology', 'Period', 'Context and place in history', 'Literature', 'Germany', 'Great Britain', 'Scotland', 'Rubidium–strontium dating method', 'Uranium–thorium dating method', 'Radiocarbon dating method', 'Fission track dating method', 'Chlorine-36 dating method', 'Luminescence dating methods', 'Other methods', 'Dating with decay products of short-lived extinct radionuclides', 'The 129I – 129Xe chronometer', 'The 26Al – 26Mg chronometer', 'Poker', 'Personal life', 'Charity work', 'Filmography', 'Film', 'Television', 'Video games', 'Dancing with the Stars season 6 performances', 'References'], ['All articles lacking sources', 'Articles lacking sources from August 2008', 'Poker gameplay and terminology', 'Sectors', 'Shipbuilding', 'Electronics', 'Automobile', 'Mining', 'Construction', 'Armaments', 'Tourism', 'Trade statistics', 'Mergers and acquisitions', 'Industry', 'Workforce', 'Electricity', 'Agriculture', 'Tourism', 'Exports', 'History', 'Legal system', 'Executive branch', 'Legislative branch', 'Political parties and elections', 'Suffrage', 'Presidential election', 'Parliamentary election', 'September in Astronomy and Astrology', 'September symbols', 'Observances', 'Non-Gregorian observances: 2020 dates', 'Month-long observances', 'United States observances', 'Food Months', 'Movable Gregorian observances: 2020 dates', 'First Wednesday: September 2'], ['Definition', 'Common formulas', 'Wal-Mart strategic sourcing approaches', 'Tax-efficient supply-chain management', 'Sustainability and social responsibility in supply chains', 'Circular supply-chain management', 'Components', 'Management components', 'Reverse supply chain', 'Digitalisation in Supply Chains', 'Systems and value', 'Global applications', 'History', 'Sanctioned racing', 'Professional racing', 'Franchise history', 'Minor league team', 'Major league team', 'Spring training', 'Logos and colors', 'Notes', 'References'], ['In popular culture', '1975: Four teams, one year and one stadium', 'Features', 'Design', 'Home Run Apple', 'Seating capacity', 'Homages', 'References'], ['Programs', 'Training', 'Faculty', 'SANS Technology Institute', 'See also', 'References'], ['Early life', 'Writer', 'Marriage and children', 'Kristin Lavransdatter', 'Catholicism', 'Legal issues', 'Filmography and awards', 'References', 'Further reading'], ['Reissues', 'Personnel', 'Charts', 'Certifications', 'Notes', 'References', 'Sources'], ['Production and fabrication', 'Refining', 'Electrolysis', 'Fabrication and metalworking', 'Applications', 'Electronics', 'Alloys', 'Other uses', 'Environmental issues', 'Precautions', 'References'], ['Rail transport', 'Influence', 'In literature', 'In music', 'In mathematics', 'In film', 'In astronomy', 'In architecture', 'See also', 'Further reading', 'References', 'Origin and history', 'A potentially earlier explanation', 'Data', 'Theoretical explanations', 'Lunar systems and other planetary systems', 'See also', 'Footnotes', 'References', 'Further reading', 'Music', 'Roller coasters', 'Brands and enterprises', 'Entertainment and media', 'Other brands and enterprises', 'People', 'Places', 'Science and technology', 'Computing', 'Smartphones', 'Ghosts', 'See also', 'References', 'Notes', 'Citations', 'Bibliography', 'Further reading'], ['Signing', 'Territorial cessions in eastern Europe', 'Territorial cessions in the Caucasus', 'Soviet-German financial agreement of August 1918', 'Lasting effects', 'Portraits', 'See also', 'References', 'Further reading'], ['Background', 'Battle', 'Pursuit', 'Trap of Montevideo', 'Aftermath', 'Intelligence gathering and salvage', 'Legacy', 'References', 'Bibliography'], ['1780s–1820s: Formative Era', '1830s–1900s: Partisan Era', '1910s–1960s: Committee Era', '1970s–Present: Contemporary Era', 'Role in Government', 'Powers of Congress', 'Overview of congressional power', 'Enumerated powers', 'Implied powers and the commerce clause', 'Territorial government', 'Funding', 'Academics', 'Undergraduate programs', 'Graduate and professional programs', 'Faculty and research', 'Library system', 'Rankings', 'Admissions and enrollment', 'Discoveries and innovation', 'Natural sciences', 'Economic impact', 'Environmental impacts', 'See also', 'Location-specific', 'All modes', 'Mass transportation', 'References', 'Further reading'], ['Digital and Internet versions', 'Annotated codes', 'Organization', 'Divisions', 'Titles', 'Proposed titles', 'Treatment of repealed laws', 'Number and growth of criminalized actions', 'Related codifications', 'See also', 'Valley terminology', 'River valleys', 'Vales', 'Rift valleys', 'Glacial valleys', 'East Venice', 'Demographics', 'Arts and culture', 'Architecture', 'Art', 'Venice Boardwalk murals', 'Venice Public Art Walls', 'Music', 'Recreation and parks', 'Government']]



['Wikipedia: Proton–proton chain reaction', 'Wikipedia: Demographics of Russia', 'Wikipedia: Anastasius I Dicorus', 'Wikipedia: Rocket', 'Wikipedia: Star Wars', 'Wikipedia: Telecommunications in South Korea', 'Wikipedia: Transport on Saint Helena', 'Wikipedia: Solid state', 'Wikipedia: Signal transduction', 'Wikipedia: Sun Myung Moon', 'Wikipedia: The Doors of Perception', 'Wikipedia: Torch', 'Wikipedia: Theory of value', 'Wikipedia: Theory', 'Wikipedia: Thomas Mifflin', 'Wikipedia: Times Square', 'Wikipedia: Trillium', 'Wikipedia: List of political parties in the United States', 'Wikipedia: United States Armed Forces']
[['Articles, interviews and talks', 'History of the theory', 'The proton–proton chain reaction', 'Citrine', 'Milky quartz', 'Rose quartz', 'Smoky quartz', 'Prasiolite', 'Synthetic and artificial treatments', 'Occurrence', 'Mining', 'Related silica minerals', 'Safety', 'Marine life exposure', 'Human exposure', 'Terminology', 'On the U.S. coasts', 'Factors that may contribute to a bloom', 'Notable occurrences', 'See also', 'References'], [], ['Main trends', 'Demographic crisis and recovery prospects', 'References'], ['Early life', 'France', 'Poland', 'Russia', 'Spain', 'Portugal', 'Italy', 'South America', 'United States', 'Influence of European Romanticism on American writers', 'Architecture', 'See also', 'References', 'Further reading', 'Premise', 'Fictional timeline', 'Film', 'Classification', 'Response to a magnetic field', 'By theory of operation', 'By critical temperature', 'By material', 'Elementary properties of superconductors', 'Zero electrical DC resistance', 'Phase transition', 'Meissner effect', 'See also', 'References', 'Further reading'], ['Imports', 'Currency', 'History', 'See also', 'References'], ['2020 parliamentary election', 'Political parties', 'Judicial branch', 'Minority politics', 'International organization participation', 'Political pressure groups and leaders', 'See also', 'References', 'First Thursday: September 3', 'First Friday: September 4', 'First Sunday: September 6', 'First Sunday after September 4: September 6', 'Week of the First Monday: September 6–12', 'Week of September 10: September 6–12', 'First Monday: September 7', 'Nearest weekday to September 12: September 11', 'Second Saturday: September 12', 'Saturday after first Monday: September 12–13', 'Ratio of surface areas of a sphere and cylinder of the same radius and height', 'In chemistry', 'In biology', 'See also', 'References'], ['Supply chain consulting', 'Certification', 'Skills and competencies', 'Roles and responsibilities', 'Education', 'University rankings', 'Organizations', 'Topics addressed by selected professional supply chain certification programmes', 'See also', 'References', 'Club Racing', 'SCCA Majors formula group classes', 'Autocross', 'Rallying', 'Time Trials', 'Conferences, divisions and regions', 'Awards', 'Hall of fame', 'See also', 'References', '1969–1979: Original brown and gold', '1980–1984: Brown, gold and orange', '1985–1990: Brown and orange', '1991–2003: Navy blue and orange', '2004–2015: Navy blue and sand', '2016–2019: Transition back to brown and gold', '2020–present: Return of brown and gold', 'Military appreciation', 'Mascot', 'Season records', 'Physics', 'Electronic sputtering', 'Potential sputtering', 'Etching and chemical sputtering', 'Applications and phenomena', 'Sputter cleaning', 'Film deposition', 'Etching', 'For analysis', 'In space', 'Stimuli', 'Ligands', 'Mechanical forces', 'Osmolarity', 'Early life', 'Founding the Unification movement', 'Beliefs', 'Second marriage and blessing ceremonies', 'Later life', 'Exile', 'Return to Norway and death', 'Honors', 'Works', 'See also', 'References', 'Other sources'], ['Background', 'History of Smallfilms', 'Series development and philosophy', 'Coolabi', 'Productions', 'References'], ['Background', 'Mescaline (Peyote and San Pedro Cactus)', 'Peyote as entheogen drug', 'Research by Humphry Osmond', "Huxley's experience with mescaline", 'References'], ['Etymology', 'Rail network', 'Urban rail', 'Railway links with adjacent countries', 'Road transport', 'Road network', 'Public road transport', 'Cycling', 'Car ownership', 'Air transport', 'Airlines', 'Bibliography'], ['All article disambiguation pages', 'Ancient usage', 'Formality', 'Underdetermination', 'Intertheoretic reduction and elimination', 'Other uses in computing', 'Cranes', 'Natural sciences', 'Sports teams', 'Aircraft and spacecraft', 'Automotive', 'Maritime', 'Rail', 'Other uses', 'See also', 'Early life and family', 'Military service during the American Revolution', 'Political career', 'Personal life', 'Death and legacy', 'History', 'Early history', '1900s–1930s', 'Description', 'Taxonomy', 'North American taxa', 'Checks and balances', 'Structure', 'Committees', 'Specializations', 'Power', 'Officer', 'Support services', 'Library of Congress', 'Congressional Research Service', 'Congressional Budget Office', 'Computer and applied sciences', 'Companies and entrepreneurship', 'Campus', 'Architecture', 'Natural features', 'Student life and traditions', 'Student housing', 'University housing', 'Cooperative housing', 'Fraternities and sororities', 'Active parties', 'Major parties', 'Third parties', 'Represented in Congress or state legislatures', 'Notes'], ['History', 'U-shaped or trough valley', 'Tunnel valley', 'Meltwater valley', 'Transition forms and valley shoulders', 'Hanging valleys', 'Trough-shaped valleys', 'Box valleys', 'Valley floors', 'Hollows', 'Notable examples', 'County, state, and federal representation', 'Education', 'Schools', 'Infrastructure', 'Public libraries', 'Fire department', 'Police', 'Los Angeles County Lifeguards', 'Notable people', 'In popular culture']]



['Wikipedia: Quadrivium', 'Wikipedia: Richard Wagner', 'Wikipedia: Economy of Slovakia', 'Wikipedia: Synchronized swimming', 'Wikipedia: Star network', 'Wikipedia: Satchel Paige', 'Wikipedia: Systems theory', 'Wikipedia: List of mayors of Sacramento, California', 'Wikipedia: Turkish Armed Forces', 'Wikipedia: The Wizard of Id', 'Wikipedia: The Undertones', 'Wikipedia: Tethys', "Wikipedia: Van Diemen's Land"]
[['The p–p II branch', 'The p–p III branch', 'The p–p IV (Hep) branch', 'Energy release', 'The PEP reaction', 'See also', 'References', 'History', 'Piezoelectricity', 'See also', 'References'], ['Biography', 'Early years', 'Early career and marriage (1833–1842)', 'Dresden (1842–1849)', 'Immigration', 'Worker migration', 'Vital statistics', 'Total fertility rate, 1840–1926', 'Historical crude birth rates', 'After WWII', 'Age structure', 'Current population statistics', 'Total fertility rate issue', 'Natural increase', 'Accession', 'Foreign policy and wars', 'Domestic and ecclesiastical policies', 'Successor', 'Family', 'Administrative reform and introduction of new coinage', 'See also', 'References', 'Sources'], ['Visual arts', 'Music', 'Outside the arts', 'Sciences', 'Historiography', 'Theology', 'Chess', 'Romantic nationalism', 'Polish nationalism and messianism', 'Gallery', 'History', 'Types', 'Design', 'Components', 'Engines', 'Propellant', 'Uses', 'Military', 'Science and research', 'Spaceflight', 'Skywalker saga', 'Original trilogy', 'Prequel trilogy', 'Sequel trilogy', 'Anthology films', 'Television==', 'Series', 'Films', 'Television special', 'In other media', 'London moment', 'History of superconductivity', 'London constitutive equations', 'Conventional theories (1950s)', 'Further history', 'High-temperature superconductivity', 'Applications', 'Nobel Prizes for superconductivity', 'See also', 'References', 'Telephone', 'Mobile phone', 'Radio', 'Television', 'Internet', 'IT and Broadband Development', 'See also', 'References', 'Saint Helena', 'Road traffic', 'Shipping', 'Air traffic', 'Rail traffic', 'Ascension', 'Tristan da Cunha', 'History', 'GDP growth', 'Foreign investments', 'Services', 'Industry', 'Second Sunday: September 13', 'First Sunday after first Monday: September 13', 'Week of September 17: September 13–19', 'Third Tuesday: September 15', 'September 17 but observed on previous Friday if it falls on a Saturday or following Monday if on a Sunday: September 17', 'Third Friday: September 18', 'Third Saturday: September 19', 'Weekend of the week of September 17: September 19–20', 'Third Sunday: September 20', 'Week of Sunday before September 23: September 20–26', 'Electronics', 'Music', 'Science', 'See also', 'Further reading', 'History', 'Olympic Games'], ['Advantages and disadvantages', 'References', 'Achievements', 'Award winners and league leaders', 'Team records (single-season and career)', 'Baseball Hall of Famers', 'Ford C. Frick Award recipients (broadcasters)', 'Retired numbers', 'Team Hall of Fame', 'San Diego Hall of Champions', 'Roster', 'Championships', 'References'], ['Date of birth', 'Temperature', 'Light', 'Receptors', 'Extracellular receptors', 'G protein–coupled receptors', 'Tyrosine, Ser/Thr and Histidine-specific protein kinases', 'Integrins', 'Toll-like receptors', 'Ligand-gated ion channels', 'Intracellular receptors', 'Marriage to Hak Ja Han', 'Blessing ceremonies', 'Move to United States', 'United States v. Sun Myung Moon', 'Washington Times', 'Twenty-first century events', 'Illness and death', 'Activities and interests', 'Politics', 'Business', 'Key concepts', 'Origin of the term', 'Overview', 'Examples of applications', 'See also', 'References', 'Day of the experiment', 'Compilation of the book', 'Synopsis', 'Reception', 'Literature', 'Psychiatry', 'Philosophy and religion', 'Martin Buber', 'Robert Charles Zaehner', 'Huston Smith', 'Torch construction', 'Symbolism', 'Uses', 'Olympics', 'Juggling', 'In Roman Catholic liturgy', 'Torchlight march', 'Associations', 'Love', 'Gallery', 'Airports', 'Water transport', 'Port cities', 'See also', 'References'], ['All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'Versus theorems', 'Scientific', 'Definitions from scientific organizations', 'Philosophical views', 'In physics', 'Regarding the term theoretical', 'Mathematical', 'Philosophical', 'Metatheory', 'Political', 'Formation and early gigs', 'The Casbah', 'Sire Records', 'Mifflin eponyms', 'Counties, cities, and townships', 'Schools and government buildings', 'Footnotes', 'References'], ['1930s–1950s', '1960s–1980s', '1990s', '2000s–present', 'Pedestrian plaza', 'Incidents', 'Number of visitors', "New Year's Eve celebrations", 'Notable landmarks', 'In popular culture', 'Asian taxa', 'Other taxa', 'Distribution', 'North America', 'Canada', 'United States', 'Asia', 'Identification', 'Ecology', 'Conservation', 'Lobbyists', 'United States Capitol Police', 'Partisanship versus bipartisanship', 'Procedures of Congress', 'Sessions', 'Joint sessions', 'Bills and resolutions', 'Congress and the public', 'Advantage of incumbency', 'Citizens and representatives', 'Student-run organizations', 'Associated Students of the University of California (ASUC)', 'Media and publications', 'Student groups', 'Athletics', 'Notable alumni, faculty, and staff', 'Faculty and staff', 'Alumni', 'Controversies', 'See also', 'Represented in Puerto Rican territorial legislatures', 'Not represented in Congress, state legislatures, or territorial legislatures', 'Historical parties', 'Non-electoral organizations', 'See also', 'Notes', 'Further reading'], ['Command structure', 'Budget', 'Personnel', 'By service', 'Stationing', 'Overseas', 'Domestic', 'Personnel categories', 'Enlisted', 'Non-commissioned and petty officers', 'Africa', 'Asia', 'Oceania', 'Europe', 'North America', 'South America', 'Antarctica', 'See also', 'References'], ['See also', 'References', 'Further reading'], []]



['Wikipedia: Plankton', 'Wikipedia: Anastasios II', 'Wikipedia: Siam (disambiguation)', 'Wikipedia: Transport in South Korea', 'Wikipedia: Saint Kitts and Nevis', 'Wikipedia: Serbo-Croatian', 'Wikipedia: SQL Server', 'Wikipedia: Sabotage', 'Wikipedia: Thule (disambiguation)', 'Wikipedia: Telesto (moon)', 'Wikipedia: Terry Riley', 'Wikipedia: The Silent Gondoliers', 'Wikipedia: University of California, Santa Cruz', 'Wikipedia: Standard of living in the United States', 'Wikipedia: Volga (disambiguation)']
[['Terminology', 'Trophic groups', 'Size groups', 'Distribution', 'Ecological significance', 'Food chain', 'Origins', 'Medieval usage', 'Modern usage', 'See also', 'References', 'In exile: Switzerland (1849–1858)', 'In exile: Venice and Paris (1858–1862)', 'Return and resurgence (1862–1871)', 'Bayreuth (1871–1876)', 'Last years (1876–1883)', 'Works', 'Operas', 'Early works (to 1842)', '"Romantic operas" (1843–51)', '"Music dramas" (1851–82)', 'Natural increase 2017', 'Net migration rate', 'Health', 'Life expectancy', 'Mortality', 'Under-five mortality rate', 'Abortions and family planning', 'Ethnic groups', 'Historical perspective', 'Peoples of European Russia', 'Biography', 'See also', 'References', 'Romantic authors', 'Scholars of Romanticism', 'See also', 'Related terms', 'Opposing terms', 'Related subjects', 'Related movements', 'References', 'Citations', 'Sources', 'Rescue', 'Hobby, sport, and entertainment', 'Launch phase', 'Noise', 'Physics', 'Operation', 'Forces on a rocket in flight', 'Drag', 'Net thrust', 'Total impulse', 'Print media', 'Novels', 'Comics', 'Audio', 'Soundtracks and singles', 'Audio novels', 'Radio', 'Video games', 'Early licensed games (1979–1993)', 'LucasArts and modern self-published games (1993–2014)', 'Further reading'], ['Historical kingdoms', 'History', 'Railroad', 'Subways', 'Trams', 'See also', 'References'], ['Largest companies by revenue', 'Largest companies by profit', 'Agriculture', 'IT', 'R&D', 'Labour', 'Statistics', 'See also', 'References'], ['Week of September 22: September 20–26', 'Last week: September 20–26', 'Last full week: September 20–26', 'Third Monday: September 21', 'Observances pertaining to the September Equinox: September 22', 'Fourth Friday: September 25', 'Last Friday: September 25', 'Last Saturday: September 26', 'Last Sunday: September 27', 'Fourth Monday: September 28', 'Name', 'History', 'Early development', 'Gallery', 'Modern standardization', 'Demographics', 'World Aquatics Championships', 'Basic skills', 'Sculls', 'Eggbeater', 'Lifts and highlights', 'Parts of a successful lift', 'Common Types of highlights', 'Positions', 'Routine', 'Technical vs. free routines', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Minor league affiliations', 'Radio and television', 'Educational involvement', 'See also', 'References', 'Further reading'], ['Early life', 'Negro leagues', 'Chattanooga and Birmingham: 1926–1929', 'Cuba, Baltimore, and Cleveland: 1929–1931', 'Pittsburgh, California, and North Dakota: 1931–1936', 'Dominican Republic: 1937', 'Mexico: 1938', 'Kansas City Travelers: 1939', 'Puerto Rico: 1939–40', 'Kansas City Monarchs: 1940–1947', 'Second messengers', 'Calcium', 'Lipid messengers', 'Nitric oxide', 'Redox signaling', 'Cellular responses', 'Major pathways', 'History', 'Signal transduction in  Immunology', 'See also', 'Race relations', 'Dance', 'Honorary degrees and other recognition', 'Criticisms', 'Role of Moon to his followers', 'References', 'Further reading'], ['System dynamics', 'Systems biology', 'Systems chemistry', 'Systems ecology', 'Systems engineering', 'Systems psychology', 'History', 'Developments', 'General systems research and systems inquiry', 'Cybernetics', 'Etymology', 'As industrial action', 'As environmental action', 'As war tactic', 'Value of simple sabotage in wartime', 'Later experience', 'Influence', 'William Blake', 'Cultural references', 'Publication history', 'See also', 'References'], ['See also', 'References'], ['History', 'War of Independence', 'First Kurdish rebellions', 'World War II', 'Korean War', 'Invasion in Cyprus', 'Kurdish–Turkish conflict', 'Overview', 'History', 'Setting', 'Format', 'Style', 'Cast of characters', 'Main characters', 'Supporting characters', 'In other media', 'Jurisprudential', 'Examples', 'See also', 'Notes', 'References', 'Citations', 'Sources'], ['Teenage Kicks (1978–1979)', 'Hypnotised (1980)', 'EMI', 'Positive Touch (1981–1982)', 'The Sin of Pride (1983)', 'Disbandment', 'Subsequent careers', 'Reunion', 'Media recognition', 'Members', 'See also', 'See also', 'References', 'Notes', 'Bibliography'], ['Medicinal uses', 'Culture', 'Gallery', 'Bibliography', 'References'], ['Expensive campaigns', 'Television and negative advertising', 'Public perceptions of Congress', 'Smaller states and bigger states', 'Members and constituents', 'Congressional style', 'Privileges and pay', 'Privileges protecting members', 'Pay and benefits', 'See also', 'References', 'Further reading'], ['Measures', 'Changing over the past', 'Current', 'International rankings', 'Social class', 'Senior enlisted advisors', 'Warrant officers', 'Commissioned officers', 'Service chiefs', 'Five-star ranking', 'Women', 'Order of precedence', 'See also', 'Notes', 'Citations', 'Extraterrestrial valleys', 'Places', 'In business', 'History', 'Exploration', 'Early colonisation', 'Penal colony', 'Name', 'Popular culture', 'Film', 'Music', 'Literature']]



['Wikipedia: Quadrupedalism', 'Wikipedia: Roman Missal', 'Wikipedia: Room (disambiguation)', 'Wikipedia: Geography of Sweden', 'Wikipedia: Telecommunications in Slovakia', 'Wikipedia: September 1', 'Wikipedia: Sufism', 'Wikipedia: Sinclair QL', 'Wikipedia: Stone–Weierstrass theorem', 'Wikipedia: Statute of frauds', 'Wikipedia: Lists of stars', 'Wikipedia: Thomas Hobbes', 'Wikipedia: TRS-80', 'Wikipedia: Thar Desert', 'Wikipedia: United States congressional delegations from Alabama', 'Wikipedia: University of Texas at Austin', 'Wikipedia: UU', 'Wikipedia: Geography of Vatican City', 'Wikipedia: Vampyrellidae']
[['Carbon cycle', 'Oxygen production', 'Biomass variability', 'Plankton diversity', 'Importance to fish', 'See also', 'References', 'Further reading'], ['Quadrupeds vs. tetrapods', 'In humans', 'Quadrupedal robots', 'Pronograde posture', 'See also', 'References', 'Starting the Ring', 'Tristan und Isolde and Die Meistersinger', 'Completing the Ring', 'Parsifal', 'Non-operatic music', 'Prose writings', 'Influence and legacy', 'Influence on music', 'Influence on literature, philosophy and the visual arts', 'Influence on cinema', 'Peoples of the Caucasus', 'Peoples of Siberia', 'Foreign-born population', 'Median age and fertility', 'Languages', 'Religion', 'Education', 'Literacy', 'Labor force', 'Population of main cities', 'Sources'], ['History', 'Further reading'], ['Arts, entertainment and media', 'Specific impulse', 'Delta-v (rocket equation)', 'Mass ratios', 'Staging', 'Acceleration and thrust-to-weight ratio', 'Energy', 'Energy efficiency', 'Oberth effect', 'Safety, reliability and accidents', 'Costs and economics', 'EA Star Wars (2014–present)', 'Theme park attractions', 'Multimedia projects', 'Merchandising', 'Themes', 'Historical influences', 'Cultural impact', 'Industry', 'Fan works', 'Academia', 'Places', 'Music', 'SIAM', 'People', 'See also', 'Buses', 'Regional services', 'Local services', 'Other services', 'Roads', 'Waterways', 'Ferries', 'Ports and harbours', 'Merchant Marine', 'Air travel', 'History', 'Pre-colonial period', 'European arrival and early colonial period', 'British colonial period', 'Post independence era', 'Politics', 'Foreign relations', 'Organisation of American States (OAS)', 'Agreements which impact on financial relationships', 'Double Taxation Relief (CARICOM) Treaty 1994', 'Telephone', 'Fixed lines', 'Mobile cellular', 'Last Wednesday: September 30', 'Last weekday in September: September 30', 'Fixed Gregorian observances', 'References'], ['Grammar', 'Phonology', 'Vowels', 'Consonants', 'Pitch accent', 'Orthography', 'Writing systems', 'Dialects', 'Division by jat reflex', 'Present sociolinguistic situation', 'Length of routines', 'Scoring', 'Preparation', 'Competitions', 'Figures', 'In the United States', 'In Canada', 'Injuries', 'See also', 'References', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'Definitions', 'Description', 'History', 'ICL One Per Desk', 'Legacy', 'Clones', 'Operating systems', '1940–1942', '1942 Negro World Series', '1943–1946', '1946 Negro World Series', 'Barnstorming with Feller: 1946–47', 'Major Leagues', 'Cleveland Indians', 'St. Louis Browns', 'Hiatus from the Major Leagues', 'Kansas City Athletics', 'References'], ['Weierstrass approximation theorem', 'Terminology', 'Application', 'Raising the defense', 'Exceptions', 'Worldwide', 'Complex adaptive systems', 'See also', 'References', 'Further reading'], ['In World War I', 'Post World War I', 'In World War II', 'After World War II', 'In Vietnam', 'During the Cold War', 'As crime', 'As political action', "In a coup d'etat", 'Derivative usages', 'Biography', 'Early life', 'Education', 'In Paris (1630–1637)', 'In England (1637–1641)', 'People', 'Places', 'Fictional locations', 'Companies and organizations', 'Military', 'Other uses', 'See also', 'War in Bosnia and Kosovo', 'War in Afghanistan', 'Humanitarian relief', 'Today', 'General staff', 'Land Forces', 'Naval Forces', 'Air Force', 'Turkish War Academies', 'Military bases abroad', 'Awards', 'Collections and reprints', 'Fawcett Gold Medal', 'Andrews McMeel', 'Titan Books', 'International syndication', 'References'], ['History', 'Hardware', 'Keyboard', 'Video and audio', 'Peripherals', 'Discography', 'Singles', 'Albums', 'Compilation albums', 'Notes', 'References', 'Further reading'], ['Exploration', 'Citations', 'References'], ['Life', 'Techniques', 'Personal life', 'Discography', 'Filmography', 'Further reading', 'References'], ['Author', 'Synopsis', 'Background', 'References', 'Notes', 'Citations', 'References', 'Further reading'], ['History', 'Site selection and campus planning', 'The "Santa Cruz dream"', 'Rise to respectability', '2020 strike action', 'Impact on Santa Cruz', 'Expansion plans', 'Campus', 'Academics', 'Research', 'See also', 'References', 'History', 'References'], ['Businesses', 'In sports and games', 'In other uses', 'See also', 'See also', 'Notes', 'References'], []]



['Wikipedia: Pauli effect', 'Wikipedia: Revolutionary Armed Forces of Colombia', 'Wikipedia: Demographics of Sweden', 'Wikipedia: History of Saint Kitts and Nevis', 'Wikipedia: September 21', 'Wikipedia: Sam Raimi', 'Wikipedia: Spinel', 'Wikipedia: Terraforming', 'Wikipedia: Tokyo', 'Wikipedia: Theogony', 'Wikipedia: Tanker', 'Wikipedia: The Sophia of Jesus Christ', 'Wikipedia: Tobin tax', 'Wikipedia: United States congressional delegations from Alaska', 'Wikipedia: University of California, Davis', 'Wikipedia: USS George Washington', 'Wikipedia: USS Cole', 'Wikipedia: Economy of Vatican City']
[['Background', 'Anecdotal evidence', 'Cultural references', 'See also', 'Short-term quarantines, e.g. for decontamination', 'Standard quarantine practices in different countries', 'Australia', 'Canada', 'Hong Kong', 'United Kingdom', 'British maritime quarantine rules 1711–1896', 'United States', 'Federal rules', 'US quarantine facilities', 'Scope', 'Viscoelasticity', 'Dimensionless numbers', 'Deborah number', 'Reynolds number', 'Measurement', 'Applications', 'Materials science', 'Presidential elections', 'Government (cabinet)', 'Legislative branch', 'Parliament', 'Structure of the Federal Assembly', 'Legislative Powers', 'The legislative process', 'Judicial branch', 'Local and regional government', 'The Federation Treaty and regional power', 'Life', 'Works', 'Opus Majus', 'Calendrical reform', 'Optics', 'Gunpowder', 'Secret of Secrets', 'Alchemy'], ['Background', 'La Violencia and the National Front', 'World Checklist of Selected Plant Families', 'World Checklist of Vascular Plants', 'World Checklist of Useful Plant Species', 'Collaborative projects', 'The Plant List', 'World Flora Online', 'See also', 'References', 'Bibliography'], ['Collaboration with Peter Sellers (1962–1964)', 'Ground-breaking cinema (1965–1971)', 'Period and horror filming (1972–1980)', 'Later work and final years (1981–1999)', 'A.I. Artificial Intelligence and unrealized projects', 'A.I. Artificial Intelligence', 'Napoleon', 'Other projects', 'Career influences', 'Directing techniques', 'Population statistics', 'Population change', 'Population projections', 'ROK Air Force', 'Personnel', 'Ranks', 'Budget', 'Overseas deployments', 'See also', 'References'], ['Pre-Columbian Period (2900 B.C. to 1493 A.D.)', 'The First Europeans (1493 to 1623)', 'Saint Kitts and Nevis, 1623 to 1700', 'Pipelines', 'Ports and harbors', 'Airports', 'Airports with paved runways', 'Airports with unpaved runways', 'Heliports', 'See also', 'References'], [], ['Events', 'Births', 'Geography', 'Geology', 'History', 'Slavery', 'Government', 'Economy', 'Transportation', 'Notable residents', 'Locomotion', 'Risks', 'Lessons', 'Clothing and equipment', 'Swimsuits', 'Accessories', 'See also', 'References', 'Bibliography'], ['Singing', 'Saints', 'Visitation', 'Miracles', 'Persecution', 'Prominent Sufis', 'Abdul-Qadir Gilani', 'Abul Hasan ash-Shadhili', 'Ahmad al-Tijani', 'Bayazid Bastami', 'Physical basis of specific heat', 'Monoatomic gases', 'Polyatomic gases', 'Relation between specific heats', 'Specific heat capacity', 'Polytropic heat capacity', 'Dimensionless heat capacity', 'Heat capacity at absolute zero', 'Solid phase', 'Theoretical estimation', 'Early life', 'Career', 'Film', 'Television', 'Personal life', 'Uses', 'In literature', 'In comedy', 'In languages other than English', 'Arabic', 'Vietnamese', 'See also', 'References', 'Australia', 'Belgium', 'Bhutan', 'Canada', 'China', 'Denmark', 'Holy See', 'Hong Kong', 'Democratic Republic of the Congo v FG Hemisphere Associates (2011)', 'Iceland', 'Grades of sulfuric acid', 'Polarity and conductivity', 'Chemical properties', 'Reaction with water and dehydrating property', 'Acid-base properties', 'Reactions with metals', 'Reactions with carbon', 'Reaction with sodium chloride', 'Electrophilic aromatic substitution', 'Occurrence', 'Properties', 'Occurrence', 'Geologic occurrence', 'Further reading', 'General resources', 'Critical studies'], ['Detected by security researchers', 'Orthographic note', 'See also', 'Notes', 'References'], ['Central Asia', 'Middle East', 'South Caucasus', 'Europe', 'European Union', 'Balkan states', 'Oceania', 'International organizations', 'See also', 'References', 'References'], ['Descriptions', 'Transportation', 'Other', 'See also', 'Background', 'References'], ['References', 'Further reading'], ['In captivity', 'In popular culture', 'See also', 'References', 'Notes', 'Bibliography', 'Further reading'], ['Format', 'Money tree', 'Voting and elimination', 'Final round', '"Head to head" round', 'Special editions', 'The final episode', 'Key', 'See also', 'References', 'Founding', 'Agriculture and the land-grant university', 'Founding of the University Farm', 'Seventh UC campus', 'Notable events', 'People', 'Faculty', 'Alumni', 'Keene Prize for Literature', 'See also', 'References', 'Notes'], ['See also', '2013 "gay lobby" comment', 'See also', 'References', 'Economy', 'Transport', 'Climate', 'Culture', 'Education', 'Sports', 'Notable people', 'International relations', 'References', 'Notes']]



['Wikipedia: Pat Mills', 'Wikipedia: Radon difluoride', 'Wikipedia: Foreign relations of South Korea', 'Wikipedia: Geography of Saint Kitts and Nevis', 'Wikipedia: Slovak Armed Forces', 'Wikipedia: September 28', 'Wikipedia: Shogi', 'Wikipedia: Simple machine', 'Wikipedia: Seventh-day Adventist Church', 'Wikipedia: Serengeti', 'Wikipedia: Speech recognition', 'Wikipedia: History of Turkmenistan', 'Wikipedia: The Balloon-Hoax', 'Wikipedia: Tuatha Dé Danann', 'Wikipedia: Great Tribulation', 'Wikipedia: United States congressional delegations from Hawaii', 'Wikipedia: Unix shell', 'Wikipedia: United States Coast Guard', 'Wikipedia: Military in Vatican City', 'Wikipedia: V-chip']
[['Notes', 'References'], ['US quarantine of imported goods', 'History of quarantine laws in the US', 'List of quarantine services in the world', 'Notable quarantines', 'Eyam village, 1665 (plague)', 'Convict ship Surry, Sydney Harbour, 1814 (typhoid)', "'Typhoid Mary' (US), 1907–1910 and 1915–1938", 'East Samoa, 1918 (flu pandemic)', 'Gruinard Island, 1942–1990 (anthrax)', 'Apollo series space explorers, 1969–1971', 'Polymers', 'Biopolymers', 'Sol-gel', 'Geophysics', 'Physiology', 'Food rheology', 'Concrete rheology', 'Filled polymer rheology', 'Rheologist', 'See also', 'Local jurisdictions under the constitution', 'Power sharing', 'List of power-sharing treaties', 'Republics', 'Krais', 'Oblasts', 'Autonomous Okrugs', 'Federal Cities', 'Presidential power in the regions', 'Political parties and elections', 'Linguistics', 'Other works', 'Apocrypha', 'Legacy', 'In popular culture', 'See also', 'Notes', 'References', 'Citations', 'Sources', 'Accelerated Economic Development', 'History', 'PCC and self-defense communities', 'Creation of FARC', 'Betancur and Barco presidencies (1982–1990)', 'Seventh Guerrilla Conference of the FARC–EP', 'Uribe Agreement and Union Patriótica', 'Gaviria and Samper presidencies (1990–1998)', 'Pastrana presidency (1998–2002)', '1998–2002 peace process', 'References', 'Philosophy', 'Writing and staging scenes', 'Directing', 'Cinematography', 'Editing and music', 'Personal life', 'Death', 'Legacy', 'Cultural impact', 'Tributes', 'Geography and population density', 'Ethnicity', 'Historical fertility rates from 1630 to 1900', 'Vital statistics since 1900', 'Current vital statistics', 'Life expectancy from 1751 to 2015', '1751–1949', '1950–2015', 'Migration', 'Emigration', 'Inter-Korean relations', 'Free trade agreements', 'China (PRC)', 'Taiwan (ROC)', 'Japan', 'Saint Kitts and Nevis, 1700 to 1883', 'Saint Kitts and Nevis, 1883 to present', 'See also', 'References', 'Further reading', 'Ground forces', 'Air force', 'Special Operations Forces', 'Missions', 'Deaths', 'Holidays and observances', 'Other', 'References'], ['Gallery', 'See also', 'References'], ['History', 'Alternate definitions', 'Ideal simple machine', 'Bawa Muhaiyaddeen', 'Ibn Arabi', 'Junayd of Baghdad', 'Mansur Al-Hallaj', 'Moinuddin Chishti', "Rabi'a al-'Adawiyya", 'Shrines', 'Major Sufi orders', 'Bektashi', 'Chishti', 'Calculation from first principles', 'Relation between heat capacities', 'Ideal gas', 'Thermodynamic derivation', 'State of matter in a homogeneous sample', 'Conservation of energy', 'Connection to equation of state', 'See also', 'References', 'Further reading', 'Filmography', 'Acting roles', 'Awards', 'See also', 'References'], ['History', 'Great migration', 'Ecology', 'In Media', 'India', 'Ireland', 'Italy', 'Japan', 'Malaysia', 'Nigeria', 'Norway', 'Philippines', 'Spain', 'Sri Lanka', 'Stratospheric aerosol', 'Extraterrestrial sulfuric acid', 'Manufacture', 'Contact process', 'Wet sulfuric acid process', 'Other methods', 'Uses', 'Industrial production of chemicals', 'Sulfur–iodine cycle', 'Industrial cleaning agent', 'Geographical occurrence', 'Synthetic spinel', 'See also', 'References', 'Bibliography'], ['History of scholarly study', 'Aspects and definitions', 'Habitability requirements', 'Preliminary stages', 'Prospective targets', 'Mars', 'Venus', 'The Moon', 'Earth', 'Etymology', 'History', 'Pre-1869 (Edo period)', '1869–1943', '1943–present', 'Geography and government', 'Special wards', 'Further reading'], ['Ancient history', 'The Succession Myth', 'The genealogies', 'The first gods', 'Children of Gaia and Uranus', "Children of Gaia and Uranus' blood, and Uranus' genitals", 'Descendants of Nyx', 'Descendants of Gaia and Pontus', 'Descendants of Echidna and Typhon', 'Descendants of the Titans', 'Children of Zeus and his seven wives', 'Overview', 'Publication history', 'Critical reception and significance', 'Name', 'Legend', 'The Four Treasures', "Tobin's original proposal", 'Recent proposals', 'Concepts and definitions', 'hedging vs. speculation', "Tobin's concept", 'Variations on Tobin tax idea', 'Pollin and Baker', 'The Spahn tax', 'Special drawing rights', 'Scope of the Tobin concept', 'Views', 'Futurism', 'Events', 'Preterism', 'Historicism', 'Success', 'Transmissions', 'Daytime', 'Primetime', 'International versions', 'Strategy for banking money', 'Cultural references', 'See also', 'References'], ['United States Senate', 'House of Representatives', 'Delegates from Alaska Territory', 'Members from the State of Alaska', 'Notes', 'Key', '2011 pepper spray incident and aftermath', 'Campus', 'Size and location', 'Campus Core/Quad', 'South Main Campus and South Campus', 'West Campus', 'Arboretum', 'Artwork', 'Student housing', 'Organization and administration', 'Concept', 'Early shells', 'Bourne shell', 'C shell', 'Configuration files', 'See also', 'Key statistics', 'See also', 'Notes', 'References', 'Sources', 'Bibliography'], []]



['Wikipedia: Pearl Index', 'Wikipedia: Rifle', 'Wikipedia: Refractive index', 'Wikipedia: Robert Penn Warren', 'Wikipedia: Statistics', 'Wikipedia: Foreign relations of Slovakia', 'Wikipedia: Slingshot', 'Wikipedia: Sea of Marmara', 'Wikipedia: Terence', 'Wikipedia: Time-sharing', 'Wikipedia: Tantra', 'Wikipedia: Tandy Corporation', 'Wikipedia: Ursula K. Le Guin']
[['Biography', 'Bibliography', 'References', 'Further reading'], ['Interviews', 'Yugoslavia, 1972 (smallpox)', "Case of Kaci Hickox' return to US, 2014 (Ebola)", 'COVID-19 pandemic, 2020–present', 'Hubei', 'Italy', 'Rest of Europe', 'Rest of the world', 'Self-quarantine', 'Other uses', 'See also', 'References'], ['Terminology', 'Executive-legislative power struggles, 1993–1996', 'Separatism', 'Putin administration', 'Other issues', 'See also', 'Notes', 'Further reading', 'References'], ['Primary sources', 'Reference works', 'Secondary sources'], ['The Colombia Three case', 'Uribe Presidency (2002–2010)', '2002–2007', '2007 death of 11 hostage deputies', 'Early-2008 prisoner events', 'Anti-FARC rallies', 'Deaths of Raúl Reyes and Manuel Marulanda Vélez', 'Late-2008 prisoner events', '2009 prisoner events', 'Santos presidency (2010–2018)', 'Early years', 'Career', 'Personal life', 'Legacy', 'Works', 'See also', 'Notes', 'References', 'Sources'], ['Immigration', 'Historical immigration', 'Contemporary immigration', 'Language', 'Religion', 'See also', 'Notes', 'References'], ['Mongolia', 'North Korea', 'Philippines', 'Russia', 'United Kingdom', 'United States', 'European Union', 'Diplomatic relations', 'Americas', 'Asia', 'Geology', 'Statistics', 'Gallery', 'See also', 'References', 'Gallery', 'References'], ['Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['Equipment', 'Setup and gameplay', 'Rules', 'Objective', 'Movement', 'Promotion', 'Drops', 'Check', 'End of the game', 'Friction and efficiency', 'Compound machines', 'Self-locking machines', 'Proof', 'Modern machine theory', 'Kinematic chains', 'Classification of machines', 'Kinematic synthesis', 'See also', 'References', 'Kubrawiya', 'Mawlawiyya', 'Muridiyya', 'Naqshbandi', 'Nimatullahi', 'Qadiri', 'Senussi', 'Shadhili', 'Suhrawardiyya', 'Tijaniyya'], ['Use and history', 'Record power shot', 'History', 'Development of Sabbatarianism', 'Organization and recognition', 'Beliefs', 'Theological spectrum', 'Theological organizations', 'Culture and practices', 'See also', 'References'], ['Sweden', 'Singapore', 'United Kingdom', 'Immunity in proceedings', 'Other immunities', 'Federal sovereign immunity', 'State sovereign immunity', 'See also', 'References', 'Further reading', 'Catalyst', 'Electrolyte', 'Domestic uses', 'History', 'Safety', 'Laboratory hazards', 'Dilution hazards', 'Industrial hazards', 'Legal restrictions', 'See also', 'History', 'Pre-1970', '1970–1990', 'Practical speech recognition', '2000s', '2010s', 'Models, methods, and algorithms', 'Other bodies in the Solar System', 'Other possibilities', 'Biological terraforming', 'Paraterraforming', 'Adapting humans', 'Issues', 'Solar radiation', 'Ethical issues', 'Economic issues', 'Political issues', 'Tama Area (Western Tokyo)', 'Cities', 'Nishi-Tama District', 'Islands', 'National parks', 'Seismicity', 'Common seismicity', 'Infrequent powerful quakes', 'Climate', 'Cityscape', 'Arab conquests and Islamization', 'Oghuz tribes', 'Seljuks', 'Mongols and Timurids', 'New Political Arrangements', 'Turkmenistan in the 16th and 17th centuries', 'Russian Colonization and Great Game', 'Revolution and Civil War', 'Soviet Union', 'Independence and Turkmenbashi', 'Other descendants of divine fathers', 'Children of divine mothers with mortal fathers', 'Prometheus', 'Influence on earliest Greek philosophy', 'Other cosmogonies in ancient literature', 'See also', 'Notes', 'References', 'Selected translations'], ['Real trans-oceanic lighter-than-air flights', 'References'], ['Tuatha Dé Danann High Kings of Ireland', 'Additional references', 'See also', 'References', 'Primary sources'], ['Support and opposition', 'Tobin tax proposals and implementations', 'European Union financial transaction tax', "Sweden's experience with financial transaction taxes", 'Tobin tax proponents reaction to the Swedish experience', 'United Kingdom experience with stock transaction tax (Stamp Duty)', 'Sterling Stamp Duty - a currency transactions tax proposed for pound sterling', 'Multinational proposals', "European idea for a 'first Euro tax'", 'Support in some G20 nations', 'Idealism', 'See also', 'References', 'Further reading', 'History', 'Acquisition of Merribee and RadioShack', 'Computers', 'United States Senate', 'House of Representatives', 'Delegates', 'Members of the House', 'Alphabetical list', 'Key', 'Student demographics', 'Academics', 'Rankings', 'Admissions', 'Library', 'Army R.O.T.C.', 'Graduate Studies', 'History', 'Medical school admissions', 'Faculty and research', 'Other shells', 'See also', 'References', 'Mission', 'Role', 'Missions', 'Non-homeland security missions', 'Homeland security missions', 'Search and rescue', 'National Response Center', 'National Maritime Center', 'Authority as an armed service', 'Authority as a law enforcement agency', 'Palatine Guard', 'Noble Guard', 'Pontifical Swiss Guard', 'Papal Gendarmerie Corps', 'See also', 'References', 'Further reading', 'History', 'Implementation', 'Forces leading to development', 'Scientific-technical', 'Political', 'The Telecommunications Act', 'Ratings', 'Invention and patent', 'Invention', 'Patent']]



['Wikipedia: Quasar', 'Wikipedia: Economy of Russia', 'Wikipedia: Rudyard Kipling', 'Wikipedia: Telecommunications in Sweden', 'Wikipedia: Demographics of Saint Kitts and Nevis', 'Wikipedia: Sprouts (game)', 'Wikipedia: Semi-Automatic Ground Environment', 'Wikipedia: Social geography', 'Wikipedia: Space colonization', 'Wikipedia: Trial de novo', 'Wikipedia: Geography of Turkmenistan', 'Wikipedia: Taxation in the United States', 'Wikipedia: United States congressional delegations from Arizona', 'Wikipedia: Violin']
[['Calculation and usage', 'History', 'Criticisms', 'Selected Pearl Index Values', 'See also', 'Footnotes', 'Notes', 'References', 'Sources', 'Further reading'], ['Historical overview', '19th century', 'Muzzle-loading', 'Minié system – the "rifled musket"', 'Breech loading', 'Revolving rifle', 'Repeating rifle', 'Cartridge storage', '20th century', '3D printed rifle', 'Economic history', 'Soviet economy', 'Industrialization under Stalin', 'Transition to market economy (1991–98)', 'Definition', 'History', 'Typical values', 'Refractive index below unity', 'Negative refractive index', 'Microscopic explanation', 'Dispersion', 'Complex refractive index', 'Relations to other quantities', '2010–2011: Increased violence', '2012–2015: Peace talks and end of the armed conflict', '2016–2017: Ceasefire and disarming', 'Duque presidency (2018–present)', 'Membership in Colombian Congress', '2019: Attempt to reinstate FARC', 'Financing', 'Means of financing', 'Drug trade', 'Kidnappings', 'References'], ['Childhood (1865–1882)', 'Introduction', 'Mathematical statistics', 'History', 'Statistical data', 'Data collection', 'Sampling', 'Experimental and observational studies', 'Experiments', 'Telecommunications', 'Telephones', 'Radio', 'Television', 'Oceania', 'Europe', 'Middle East and Africa', 'No diplomatic relations', 'See also', 'References', 'Further reading'], ['Population', 'Vital statistics', 'Ethnic groups', 'Languages', 'Religion', 'References', 'International disputes', 'Liechtenstein', 'Hungary', 'International human rights criticisms', 'Illicit drug trafficking', 'Bilateral relations', 'Africa', 'Americas', 'Asia', 'Europe', 'Rules', 'Number of moves', 'Maximum number of moves', 'Minimum number of moves', 'Importance in real games', 'Checkmate', 'Resignation', 'Illegal move', 'Repetition (draw)', 'Impasse', 'Entering King', 'Amateur resolutions', 'Draws in tournaments', 'Time control', 'Player rank and handicaps', 'Background', 'Earlier systems', 'Valley Committee', 'Symbols associated with the Sufi orders', 'Reception', 'Perception outside Islam', 'Influence on Judaism', 'Culture', 'Music', 'Literature', 'Visual art', 'See also', 'References', 'Military use', 'Sport', 'Dangers', 'Legal issues', 'In popular culture', 'Gallery', 'See also', 'References', 'Sabbath activities', 'Worship service', 'Holy Communion', 'Health and diet', 'Marriage', 'Ethics and sexuality', 'Dress and entertainment', 'Missionary work with youth', 'Youth camps', 'Organization', 'Name', 'Geography', 'Extent', 'Towns and cities', 'Image gallery', 'See also', 'References'], ['History', 'Before the Second World War', 'Post-War Period', 'References'], ['Reasons', 'Hidden Markov models', 'Dynamic time warping (DTW)-based speech recognition', 'Neural networks', 'Deep feedforward and recurrent neural networks', 'End-to-end automatic speech recognition', 'Applications', 'In-car systems', 'Health care', 'Medical documentation', 'Therapeutic use', 'In popular culture', 'See also', 'Notes', 'References'], ['Environment', 'Demographics', 'Economy', 'Transportation', 'Education', 'Culture', 'Sports', 'In popular culture', 'International relations', 'Sister cities, sister states, and friendship agreements', 'Since 2006', 'See also', 'Notes', 'Literary sources', 'Levels and types of taxation', 'Types of taxpayers', 'Income tax', 'Biography', 'Plays', 'Cultural legacy', 'See also', 'References', 'Further reading'], ['History', 'Batch processing', 'Time-sharing', 'Development', 'Time-sharing business', 'Rise and fall', 'Rapidata as an example', 'The feasibility of gradual implementation of the FTT, beginning with a few EU nations', 'Two simultaneous taxes considered in the European Union', 'Latin America – Bank of the South', 'UN Global Tax', 'Original idea and anti-globalization movement', 'Evaluating the Tobin tax as a Currency Transaction Tax (CTT)', 'Stability, volatility and speculation', 'The appeal of stability to many players in the world economy', 'Effect on volatility', 'Theoretical models', 'Etymology', 'Definition', 'Ancient and medieval era', 'Modern era', 'Tantrism', 'Tantrika', 'History', 'Vedic texts', 'Buddhist reliefs', 'Tandy stores', 'Other retail outlets', 'Color Tile', 'McDuff Electronics, VideoConcepts', 'The Edge in Electronics', 'Incredible Universe', 'Computer City', "O'Sullivan Industries", 'Coppercraft Guild', 'See also', 'House of Representatives', 'Current Representatives', '1863 – 1912: 1 non-voting delegate', '1912 – 1943: 1 seat', 'Research expenditures', 'Faculty honors', 'Research centers and laboratories', 'Student life', 'Transportation', 'The California Aggie', 'Greek life', 'Athletics', 'Sustainability', 'Alumni', 'Life', 'Childhood and education', 'Married life and death', 'Views and advocacy', 'Chronology of writings', 'Early work', 'Critical attention', 'Wider exploration', 'Later writings', 'Style and influences', 'A typical day', 'History', 'Organization', 'Districts and units', 'Shore establishments', 'Personnel', 'Commissioned officers', 'Warrant officers', 'Enlisted personnel', 'Training', 'Etymology', 'History', 'Construction and mechanics', 'Strings', 'Pitch range', 'Criticisms', 'Usage', 'Lack of supporting research', 'Expenses', 'Infringement on rights', 'Insufficient number of users', 'Support', 'Parental responsibility', 'Ease of monitoring for parents', 'Support from PTA groups']]



['Wikipedia: Paul Auster', 'Wikipedia: Transport in Sweden', 'Wikipedia: List of cities in South Korea', 'Wikipedia: Politics of Saint Kitts and Nevis', 'Wikipedia: Steven Soderbergh', 'Wikipedia: Sexual intercourse', 'Wikipedia: Search algorithm', 'Wikipedia: Subaru (disambiguation)', 'Wikipedia: Starship Troopers', 'Wikipedia: Saint John, New Brunswick', 'Wikipedia: The Pit and the Pendulum', 'Wikipedia: Tallinn', 'Wikipedia: UCSD Pascal', 'Wikipedia: Veganism']
[['Early life', 'Career', 'Themes', 'Reception', 'Naming', 'Background', 'Early observations (1960s and earlier)', 'Development of physical understanding (1960s)', 'Modern observations (1970s onward)', 'Current understanding', 'Properties', 'Spectral lines, reionization, and the early universe', 'Youth rifle', 'Technical aspects', 'Rifling', 'Barrel wear', 'Rate of fire', 'Range', 'Bullet rotational speed (RPM)', 'Caliber', 'Types of rifle', 'By mechanism', 'Recovery and growth (1999–2008)', '2009–14', '2014–present', 'Data', 'Currency and central bank', 'Public policy', 'Fiscal policy', 'National wealth fund', 'Public debt', 'Protectionism', 'Optical path length', 'Refraction', 'Total internal reflection', 'Reflectivity', 'Lenses', 'Microscope resolution', 'Relative permittivity and permeability', 'Wave impedance', 'Density', 'Group index', 'Human rights concerns', 'Sexual abuse and forced abortions', 'Child soldiers', 'Extrajudicial executions', 'Use of gas cylinder mortars and landmines', 'Violence against indigenous people', 'Organization and structure', 'Territorial operations', 'FARC dissidents', 'International response', 'Education in Britain', 'Return to India', 'Early adult life (1882–1914)', 'Return to London', 'London', 'United States', 'Life in New England', 'Devon', 'Visits to South Africa', 'Sussex', 'Observational study', 'Types of data', 'Statistical methods', 'Descriptive statistics', 'Inferential statistics', 'Terminology and theory of inferential statistics', 'Statistics, estimators and pivotal quantities', 'Null hypothesis and alternative hypothesis', 'Error', 'Interval estimation', 'Internet', 'Signals intelligence', 'See also', 'References'], ['City status', 'Classifications for large municipal cities', 'Specific city', 'List', 'Renamed cities', 'General aspects', 'Executive branch', 'Political parties and elections', 'Oceania', 'See also', 'References', 'Winning strategies', 'Normal version', 'Misère version', 'Brussels Sprouts', 'References'], ['Handicaps', 'Notation', 'Strategy and tactics', 'Etiquette', 'Game setup', 'Furigoma', 'History', 'Tournament play', 'Shogi in Europe', 'Computer shogi', 'Project Charles', 'Project Lincoln', 'Development', 'Deployment', 'SAGE Sites', 'Description', 'SAGE Communication Systems', 'Radar stations', 'Interceptors', 'Improvements', 'Notes', 'Citations', 'Bibliography'], ['See also', 'Structure and polity', 'Church officers and clergy', 'Ordination of women', 'Membership', 'Church institutions', 'Adventist mission', 'Education', 'Health', 'Humanitarian aid and the environment', 'Religious liberty', 'History', 'Notable firsts', 'Geography and climate', 'Physical geography', 'Neighbourhoods', 'Continental Europe', 'Social space', 'Research and application', 'Institutional organisation', 'See also', 'Notes', 'References', 'Further reading', 'Textbooks', 'Others', 'Survival of human civilization', 'Vast resources in space', 'Expansion with fewer negative consequences', 'Alleviating overpopulation and resource demand', 'Other arguments', 'Goals', 'Method', 'Materials', 'Energy', 'Life support', 'Military', 'High-performance fighter aircraft', 'Helicopters', 'Training air traffic controllers', 'Telephony and other domains', 'Usage in education and daily life', 'People with disabilities', 'Further applications', 'Performance', 'Accuracy', 'Common law', 'United Kingdom', 'United States', 'See also', 'References', 'International academic and scientific research', 'See also', 'References', 'Bibliography', 'Further reading', 'Guides', 'Contemporary'], ['Physical features', 'Climate', 'Hydrological conditions', 'Environmental issues', 'Background', 'Current environmental issues', 'International environmental agreements', 'Desertification', 'The Aral Sea', 'History of the income tax', 'Basic concepts', 'Filing status', 'Graduated tax rates', 'Income', 'Deductions and exemptions', 'Business entities', 'Credits', 'Payment or withholding of taxes', 'State variations', 'Plot summary', 'Lack of historical authenticity', 'Analysis', 'Inspiration', 'Publication and response', 'Adaptations', 'UK', 'The computer utility', 'Security', 'Notable time-sharing systems', 'See also', 'References', 'Further reading'], ['Empirical studies', 'Is there an optimum Tobin tax rate?', 'Is the tax easy to avoid?', 'Technical feasibility', 'How many nations are needed to make it feasible?', 'Evaluating the Tobin tax as a general Financial Transaction Tax (FTT)', "Sweden's experience in implementing Tobin taxes in the form of general financial transaction taxes", 'Who would gain and who would lose if the Tobin tax (FTT) were implemented?', 'Views of ABAC (APEC Business Advisory Council) expressed in open letter to IMF', 'Views of the ITUC/APLN (Asia-Pacific Labour Network) expressed in their statement to the 2010 APEC Economic Leaders Meeting', 'Durga', 'Tantra texts', 'Tantric practices', 'Traction and growth', 'Sex and eroticism', 'Practices', 'Components', 'Sadhanas', 'Mandalas', 'Mantra, yantra, nyasa', 'References'], ['Etymology', '1943 – 1963: 2 seats', '1963 – 1973: 3 seats', '1973 – 1983: 4 seats', '1983 – 1993: 5 seats', '1993 – 2003: 6 seats', '2003 – 2013: 8 seats', '2013 – Present: 9 seats', 'United States Senate', 'Key', 'See also', 'See also', 'References'], ['Influences', 'Genre and style', 'Themes', 'Gender and sexuality', 'Moral development', 'Political systems', 'Reception and legacy', 'Reception', 'Awards and recognition', 'Legacy and influence', 'Officer training', 'Recruit training', 'Service schools', 'Civilian personnel', 'Equipment', 'Cutters', 'Boats', 'Aircraft', 'Weapons', 'Naval guns', 'Acoustics', 'Sizes', 'Mezzo violin', 'Tuning', 'Bows', 'Playing', 'Posture', 'Left hand and pitch production', 'Positions', 'Open strings', 'The V-chip and commercials', 'See also', 'References'], []]



['Wikipedia: Presbyterian Church (USA)', 'Wikipedia: Quisling', 'Wikipedia: Rome', 'Wikipedia: Telecommunications in Russia', 'Wikipedia: Reproduction', 'Wikipedia: Saint Lucia', 'Wikipedia: Supermarine', 'Wikipedia: Safe semantics', 'Wikipedia: Space exploration', 'Wikipedia: List of synthetic polymers', 'Wikipedia: Second Council of Nicaea', 'Wikipedia: Politics of Turkmenistan', 'Wikipedia: Saint Timothy', 'Wikipedia: Torpoint Ferry', 'Wikipedia: United Religions Initiative', 'Wikipedia: Vittorio De Sica']
[['History', 'Origins', '19th century', '20th century to the present'], ['Origin', 'Popularization in World War II', 'Etymology', 'History', 'Earliest history', 'Legend of the founding of Rome', 'Early history', '1998 financial crisis', '2000s', 'Regulation', 'Universal Service Fund', 'Romulus', 'Numa Pompilius', 'Tullus Hostilius', 'Ancus Marcius', 'Lucius Tarquinius Priscus', 'Servius Tullius', 'Lucius Tarquinius Superbus', 'Public offices after the monarchy', 'Notes and references', 'Sources', 'World War I', 'Siemens-Halske bi-rotary designs', 'Postwar', 'Use in cars and motorcycles', 'Other rotary engines', 'See also', 'Notes'], ['Asexual', 'Sexual', 'Allogamy', 'Official status', 'Regulatory bodies', 'Language minorities in Estonia and Ukraine', 'Phonology', 'Grammar', 'Vocabulary', 'Writing system', 'Dialects', 'Standard Swedish', 'Finland Swedish', 'Nordic Battle Group', 'International deployments', 'Past deployments', 'Personnel', 'From national service to an all-volunteer force', 'Re-implementing conscription', 'Personnel structure', 'Planned size of the Swedish Armed Forces 2011–2020', 'Criticism and research', 'Ranks', 'Strategies', 'Algorithms', 'Instances of use in real-life scenarios', 'American court case', 'Auction house selection', "FA Women's Super League match", 'Play by chimpanzees', 'Analogues in game design', 'Analogues in nature', 'Lizard mating strategies', 'Bilateral relations', 'Multilateral relations', 'See also', 'References'], ['Etymology', 'History', 'Prehistory to Slavic settlement', 'Prehistory', 'Roman era', 'Slavic settlement', 'Middle Ages', 'Early modern period', 'World War I', 'History', 'Founding', 'Early aircraft', 'World War I', 'Supermarine Aviation Works', 'Fuel production', 'Energy storage methods', 'Development, deployment and economics', 'ISO standards', 'See also', 'References', 'Further reading'], ['People with the name', 'Arts, entertainment, and media', 'Music', 'Types of series in arts, entertainment, and media', 'Mathematics and science', 'Other uses', 'See also', 'See also', 'History', 'References', 'Further reading', 'History of exploration', 'See also', 'References'], ['Sport', 'Education', 'Media', 'Twin/sister cities', 'See also', 'Notes', 'Explanatory notes', 'References'], ['Original video animations', 'Films', 'Radio dramas', 'Games', 'Traditional games', 'Video games', 'Reception', 'See also', 'References'], ['In fiction', 'See also', 'References', 'Further reading'], ['Applications', 'Windows', 'As substrate for semiconducting circuits', 'In lasers', 'In endoprostheses', 'Historical and cultural references', 'Notable sapphires', 'See also', 'References'], ['Market share', 'Content', 'Programming', 'Genres', 'Funding', 'Advertising', 'United States', 'United Kingdom', 'Ireland', 'Subscription', 'Returns', 'House of Atreus', 'Odyssey', 'Telegony', 'Aeneid', 'Dates of the Trojan War', 'Historical basis', 'In popular culture', 'References', 'Further reading', 'See also', 'References', 'Political background', 'Examination', 'Published and private rulings', 'Alcohol and Tobacco Tax and Trade Bureau', 'Customs and Border Protection', 'State administrations', 'Local administrations', 'Legal basis', 'Policy issues', 'Tax evasion', 'Economics', 'Historiography', 'Definition', 'Time span', 'Modern study', 'Society and culture', 'Social and cultural implications in the arts', 'Dissemination of ideas', 'The Republic of Letters', 'The book industry', 'Natural history', 'Jazz', 'See also', 'References'], ['Home media', 'See also', 'References', 'Notes'], ['Effectiveness', 'Criticism', 'Confidentiality', 'Cultural identity', 'See also', 'References', 'Further reading', 'Scholarly publications', 'City transport', 'Air', 'Ferry', 'Railroad', 'Roads', 'Notable people', 'Pre 1900', '1900 to 1930', '1930 to 1950', '1950 to 1970', 'See also', 'Notes', 'References', 'Citations', 'Bibliography', 'Further reading'], ['Official websites', 'Others', 'Rankings', 'National rankings', 'Global rankings', 'Graduate school rankings', 'Departmental rankings', 'Admissions', 'Student life', 'Traditions', 'Housing', 'Greek life', 'Translations', 'See also', 'References', 'Sources', 'Anarchism and The Dispossessed', 'Gender and The Dispossessed', 'Language and The Dispossessed', 'Property and possessions', 'Science and The Dispossessed', 'Taoism and The Dispossessed', 'U.S. Coast Guard', 'Related agencies', 'Notes', 'References', 'Further reading'], ['Life and career', 'Private life', 'Awards and nominations', 'Filmography', 'Filmography as director', 'Filmography as actor', 'Health effects', 'Professional and government associations', 'Pregnancy, infants and children', 'Philosophy', 'Ethical veganism', 'Exploitation concerns', 'Environmental veganism', 'Feminist veganism', 'Pioneers', 'Animal and human abuse parallels']]



['Wikipedia: Quadrangle', 'Wikipedia: Rán', 'Wikipedia: Rudolf Steiner', 'Wikipedia: Foreign relations of Sweden', 'Wikipedia: Standard conditions for temperature and pressure', 'Wikipedia: Silicon Graphics', 'Wikipedia: Stop codon', 'Wikipedia: Sigyn', 'Wikipedia: Sansad', 'Wikipedia: Slack voice', 'Wikipedia: Troy', 'Wikipedia: Tychonoff space', 'Wikipedia: The Washington Times', 'Wikipedia: USS Arizona', 'Wikipedia: University of Sydney', 'Wikipedia: Hainish Cycle', 'Wikipedia: Vidkun Quisling']
[['Mergers', 'Social justice initiatives and renewal movements', 'Breakaway Presbyterian denominations', 'Youth', 'Structure', 'Constitution', 'Councils', 'Session', 'Presbytery', 'Synod', 'Verb form', 'Postwar use', '21st century', 'See also', 'References'], ['Monarchy and republic', 'Empire', 'Middle Ages', 'Early modern history', 'Late modern and contemporary', 'EUR (Esposizione Universale Roma)', 'Government', 'Local government', 'Administrative and historical subdivisions', 'Metropolitan and regional government', 'Landline telephony', 'Tariffs', 'Public switched telephone network', 'Mobile phone', 'Radio', 'Television', 'Internet', 'IPTV', 'International connection', 'Fiber optical infrastructure', 'Further reading'], ['Etymology', 'Biography', 'Childhood and education', 'Early spiritual experiences', 'Writer and philosopher', 'Theosophical Society', 'Autogamy', 'Mitosis and meiosis', 'Same-sex', 'Strategies', 'Other types', 'Asexual vs. sexual reproduction', 'Life without', 'Lottery principle', 'See also', 'Notes', 'Immigrant variants', 'Sample', 'See also', 'Notes', 'References', 'Further reading'], ['Other government agencies reporting to the Ministry of Defence', 'Voluntary defence organizations', 'See also', 'References'], ['Bacteria', 'Analogues in mechanical devices and geometrical constructions', 'Tournaments', 'World Rock Paper Scissors Society', 'UK championships', 'USARPS tournaments', 'Team Olimpik Championships 2012', 'National XtremeRPS Competition 2007–2008', 'Guinness Book of World Records', 'World Series', 'Etymology', 'History', 'Pre-colonial period', 'Early European period', 'French Colony', '18th and 19th centuries', '20th and 21st centuries', 'Kingdom of Serbs, Croats, and Slovenes (later the Kingdom of Yugoslavia)', 'World War II', 'Socialist period', 'Slovenian Spring, democracy and independence', 'Geography', 'Geology', 'Natural regions', 'Climate', 'Waters', 'Biodiversity', 'Post World War I', 'Schneider Trophy 1919 to 1924', 'Bird takes over', 'The Southampton', 'Schneider Trophy 1925 to 1927', 'Purchase by Vickers', 'The Depression', 'Schneider Trophy 1929 and 1931', 'Walrus and Stranraer', 'Supermarine Spitfire', 'Definitions', 'Past uses', 'Current use', 'International Standard Atmosphere', 'Standard laboratory conditions', 'History', 'Early years', 'Growth', 'Decline', 'Description', 'Implementation', 'Join', 'Read', 'Write', 'Notes', 'See also', 'Telescope', 'First outer space flights', 'First human outer space flight', 'First astronomical body space explorations', 'First space station', 'First interstellar space flight', 'Farthest from Earth', 'Key people in early space exploration', 'Targets of exploration', 'The Sun', 'Inorganic polymers', 'Organic polymers', 'Brand names', 'Plastic identification codes', 'See also', 'References', 'Attestations', 'Poetic Edda', 'Prose Edda', 'Archaeological record', 'National Parliament', 'Bangladesh', 'India', 'Background', 'Proceedings', 'Acceptance by various Christian bodies', 'Critical edition of the Greek text', 'Translations', 'See also', 'References', 'Sources', 'References', 'Taxation or license', 'Broadcast programming', 'Social aspects', 'Opposition', 'Negative impacts', 'See also', 'References', 'Further reading'], ['Ancient authors', 'Modern authors'], ['New constitution of 2008', 'Freedom of association', 'Current Members of the Cabinet of Ministers', 'Leaders of Turkmenistan since 1924', 'Turkmen Soviet Socialist Republic (1924–1991)', 'First Secretaries of the Turkmen Communist Party', 'Chairmen of the Revolutionary Committee', 'Chairmen of the Central Executive Committee', 'Chairman of the Supreme Soviet', 'Chairmen of the Presidium of the Supreme Soviet', 'History', 'See also', 'References', 'Further reading'], ['Scientific and literary journals', 'Encyclopedias and dictionaries', 'Popularization of science', 'Schools and universities', 'Learned academies', 'Salons', 'Coffeehouses', 'Debating societies', 'Masonic lodges', 'Art', 'Life', 'Veneration', 'Patronage', 'See also', 'References'], ['Current operations', 'History', 'See also', 'References'], ['History', 'Beginnings', 'Wesley Pruden editorship', 'John Solomon editorship', 'Finances', '1970 to Date', 'Architects and Conductors', 'Sport', 'International relations', 'Twin towns\xa0– sister cities', 'Image gallery', 'See also', 'References', 'Bibliography', 'Books and articles', 'See also', 'Athletics', 'Alumni', 'See also', 'Notes', 'References'], ['Utopian literature and The Dispossessed', 'Additional references'], ['Organizational structure', 'Activities', 'References'], ['Television appearances as actor', 'References'], ['Capitalism and feminist veganism', 'Religious veganism', 'Prejudice against vegans', 'Studies', 'Media', 'Reasons', 'Symbols', 'Economics of veganism', 'See also', 'Notes']]



['Wikipedia: Quill', 'Wikipedia: Transport in Russia', 'Wikipedia: Rudyard Kipling bibliography', 'Wikipedia: Set (mathematics)', 'Wikipedia: Script kiddie', 'Wikipedia: Sarawak', 'Wikipedia: Saudi Arabian–Iraqi neutral zone', 'Wikipedia: Security through obscurity', 'Wikipedia: Sexual orientation', 'Wikipedia: SADC', 'Wikipedia: Americas', 'Wikipedia: Third Epistle of John', 'Wikipedia: Tarot', 'Wikipedia: Flower of Scotland', 'Wikipedia: Urban legend', 'Wikipedia: Unidad de Valor Constante', 'Wikipedia: Vegetarianism']
[['Synods of the Presbyterian Church (USA)', 'General Assembly', 'Elected officials', 'Affiliated seminaries', 'Demographics', 'Worship', "The Service for the Lord's Day", 'Missions', 'Ecumenical relationships and full communion partnerships', 'National and international ecumenical memberships', 'Architecture', 'Other', 'See also', 'National government', 'Geography', 'Location', 'Topography', 'Climate', 'Demographics', 'Ethnic groups', 'Religion', 'Vatican City', 'Pilgrimage', 'Emergency calls', 'Statistics', 'See also', 'References', 'Attestations', 'Sonatorrek', 'Poetic Edda', 'Prose Edda', 'Völsunga saga and Friðþjófs saga hins frœkna', 'Scholarly reception and interpretation', 'See also', 'Notes', 'References', 'Anthroposophical Society and its cultural activities', 'Political engagement and social agenda', 'Attacks, illness, and death', 'Spiritual research', 'Esoteric schools', 'Breadth of activity', 'Education', 'Biodynamic agriculture', 'Anthroposophical medicine', 'Social reform', 'References', 'Further reading'], ['Etymology', 'Definition', 'Set notation', 'Roster notation', 'Set-builder notation', 'Other ways of defining sets', 'United Nations', 'European Union', 'Nordic Council', 'Nonalignment', 'Military', 'Participation in international organizations', 'Africa', 'Americas', 'Jackpot En Poy of Eat Bulaga!', 'Variations', 'Adapted rules', 'Different weapons', 'Additional weapons', 'Game-theoretic variations', 'See also', 'References'], ['Post-independence era', 'Geography', 'Climate', 'Geology', 'Government', 'Foreign relations', 'Organisation of American States (OAS)', 'Agreements which impact on financial relationships', 'The Double Taxation Relief (CARICOM) Treaty 1994', 'FATCA', 'Animals', 'Fungi', 'Plants', 'Politics', 'Judiciary', 'Administrative divisions and traditional regions', 'Municipalities', 'Administrative districts', 'Traditional regions and identities', 'Statistical regions', 'Increasing production capacity', 'Castle Bromwich', 'Heavy bomber', 'Death of Mitchell', 'World War II', 'Air raids', 'Complete dispersal of production', 'New designs', 'Post World War II', 'Representation in media', 'Molar volume of a gas', 'See also', 'Notes', 'References'], ['Re-emergence', 'Final bankruptcy and acquisition by Rackable Systems', 'Graphics Properties Holdings, Inc. era', 'Technology', 'Motorola 680x0-based systems', 'IRIS 1000 series', 'IRIS 2000 and 3000 series', 'RISC era', 'IRIS GL and OpenGL', 'ACE Consortium', 'Etymology', 'History', 'Politics', 'Government', 'Administrative divisions', 'Security', 'Mercury', 'Venus', 'Earth', 'The Moon', 'Mars', 'Phobos', 'Jupiter', 'Saturn', 'Uranus', 'Neptune', 'Properties', 'Standard codons', 'Alternative stop codons', 'Reassigned stop codons', 'Translation', 'Genomic distribution', 'Recognition', 'Theories', 'Modern influence', 'Notes', 'References', 'Associations', 'See also', 'History', 'Further reading', 'Definitions and distinguishing from sexual identity and behavior', 'General', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'Etymology and naming ==', 'History', 'Settlement', 'Pre-Columbian era', 'Homeric Troy', 'Search for Troy', 'The Calverts', 'Charles Lander', 'Frederick Calvert', 'Calvert investments in the Troad', 'Crimean War debacle', 'The “Possidhon affair” and its aftermath', 'Frank Calvert', 'The Schliemanns', 'Presidents', 'List of Heads of Government of Turkmenistan (1925–1991)', "Chairmen of the Council of People's Commissars", 'Chairmen of the Council of Ministers', 'Legislative branch', 'Political parties and elections', 'Administrative divisions', 'Foreign policy', 'Domestic policy', 'Restrictions on communication', 'Definitions', 'Naming conventions', 'Examples and counterexamples', 'Properties', 'Preservation', 'Real-valued continuous functions', 'Embeddings', 'Compactifications', 'Important intellectuals', 'See also', 'Notes', 'References', 'Citations', 'Sources', 'Further reading', 'Reference and surveys', 'Specialty studies', 'Primary sources', 'Content', 'Greeting and introduction', 'Missionaries', 'Opposition of Diotrephes', 'Final greetings and conclusion', 'Authorship', 'Etymology', 'History', 'Tarot gaming decks', 'Italian-suited tarot decks', 'Italo-Portuguese-suited tarot deck', 'French-suited tarot decks', 'Political stance, content and controversies', 'Science coverage', 'Climate change denial', 'Ozone depletion denial', 'Second-hand smoke denial', 'Misreporting on the COVID-19 pandemic', 'White nationalism, neo-Confederatism, racism, and Islamophobia', 'Coverage of Barack Obama', 'Anti-Muslim content', 'Other controversies', 'Travel guides'], ['Popular use', 'Origin and structure', 'Propagation and belief', 'Relation to mythology', 'Documentation', 'Genres', 'Crime', 'History', '1850–1950', '1950–2000', '2000–present', 'Controversies', 'Campus', 'Main campus', 'Sequence of writing versus story chronology', 'Backstory', 'Planets', 'Technology', 'Post-technological worlds', 'Biology', 'Hainish Cycle bibliography', 'Novels and short story collections', 'Short stories', 'References', 'All articles lacking sources', 'All stub articles', 'Articles containing Spanish-language text', 'Articles lacking sources from December 2009', 'Currencies of Ecuador', 'Currency stubs', 'Early life', 'Background', 'Travels', 'Paris, Eastern Europe and Norway', 'Russia and the rouble scandal', 'Early political career', 'Final return to Norway', 'Defence minister', 'Popular party leader', 'Fører of a party in decline', 'References'], ['Etymology']]



['Wikipedia: Radical', 'Wikipedia: Logudorese dialect', 'Wikipedia: Solidarity (Polish trade union)', 'Wikipedia: Snuff film', 'Wikipedia: Salvation', 'Wikipedia: Economy of Turkmenistan', 'Wikipedia: Tattoo', 'Wikipedia: The Hunt for Red October', 'Wikipedia: Tietze extension theorem', 'Wikipedia: Lord of the Flies', 'Wikipedia: UDP', 'Wikipedia: USS City of Corpus Christi']
[['Subtraction', 'Other operations on natural numbers', 'Operations on integers and rational numbers', 'Use in first-order Peano arithmetic', 'Relationship to recursive functions', 'Some common primitive recursive functions', 'Additional primitive recursive forms', 'Finitism and consistency results', 'History', 'See also', 'Formula of agreement', 'World Communion of Reformed Churches', 'Churches Uniting in Christ', 'Current controversies', 'Homosexuality', 'General Assembly 2006', 'General Assembly 2008', 'General Assembly 2010', 'General Assembly 2014', 'Property ownership', 'Description', 'Sources', 'Uses', 'History', 'Politics', 'Today', 'Music', 'Cityscape', 'Architecture', 'Ancient Rome', 'Medieval', 'Renaissance and Baroque', 'Neoclassicism', 'Fascist architecture', 'Parks and gardens', 'Fountains and aqueducts', 'Statues', 'Rail transport', 'Rapid-transit systems', 'Rail links with adjacent countries', 'Roads and highways', 'Road safety', 'Fleet', 'Waterways', 'Black Sea and Sea of Azov', 'Baltic Sea', 'Arts and entertainment', 'Music', 'Architecture and design', 'Literature', 'Architecture and visual arts', 'Performing arts', 'Philosophical ideas', 'Goethean science', 'Knowledge and freedom', 'Spiritual science', 'Steiner and Christianity', 'Christ and human evolution', 'Divergence from conventional Christian thought', 'The Christian Community', 'Books', 'Novels', 'Collections', 'Autobiographies and speeches', 'Short story collections', 'Military collections', 'Poetry collections', 'Travel collections', 'Most complete collected sets', 'Poems', 'Membership', 'Subsets', 'Partitions', 'Power sets', 'Cardinality', 'Special sets', 'Basic operations', 'Unions', 'Intersections', 'Complements', 'Asia', 'Europe', 'Oceania', 'See also', 'References', 'Further reading'], ['Characteristics', 'Location and distribution', 'Origins and features', 'Subdialects', 'Military', 'Administrative divisions', 'Economy', 'Tourism', 'Demographics', 'Ethnic groups', 'Languages', 'Religion', 'Health', 'Crime', 'Military', 'Economy', 'Economic growth', 'National debt', 'Services and industry', 'Energy', 'Tourism', 'Transport', 'Roads', 'Railways', 'Memorials', 'Reuse of the Supermarine name', 'Supermarine aircraft', 'Designs and submissions only', 'See also', 'Notes', 'References'], ['Characteristics', 'Game hacking', 'See also', 'References', 'Further reading'], ['Entertainment industry', 'Free software', 'Acquisition of Alias, Wavefront, Cray and Intergraph', 'SGI Visual Workstations', 'Switch to Itanium', 'Switch to Xeon', 'User base and core market', 'High-end server market', 'Hardware products', 'Motorola 68k-based systems', 'Military', 'Territorial disputes', 'Environment', 'Geography', 'Biodiversity', 'Conservation issues', 'Economy', 'Energy', 'Tourism', 'Infrastructure', 'Other objects in the Solar System', 'Asteroids and comets', 'Deep space exploration', 'Future of space exploration', 'Young Space Professionals', 'Breakthrough Starshot', 'Asteroids', 'James Webb Space Telescope', 'Artemis program', 'Rationales', 'Nomenclature', 'amber mutations (UAG)', 'ochre mutations (UAA)', 'opal or umber mutations (UGA)', 'Mutations', 'Nonsense', 'Nonstop', 'Hidden stops', 'Translational readthrough', 'Use as a watermark', 'History', 'See also', 'References'], ['Criticism', 'Obscurity in architecture vs. technique', 'See also', 'References'], ['Androphilia, gynephilia and other terms', 'Gender, transgender, cisgender, and conformance', 'Relationships outside of orientation', 'Fluidity', 'Causes', 'Biology', 'Genetic factors', 'Hormones', 'Birth order', 'Environmental factors', 'Meaning', 'Judaism', 'Christianity', 'European colonization', 'Geography', 'Extent', 'Geology', 'Topography', 'Climate', 'Hydrology', 'Ecology', 'Countries and territories', 'Demography', 'Wilhelm Dörpfeld', 'University of Cincinnati', 'Carl Blegen', 'Korfmann', 'Becker', 'Recent developments', 'Troy Historical National Park', 'UNESCO World Heritage Site', 'Troy Museum', "Priam's Treasure", 'International organization participation', 'See also', 'References'], ['Uniform structures', 'References', 'Terminology'], ['Plot summary', 'Characters', 'Date and location of writing', 'Manuscripts', 'Canonical history', 'See also', 'Notes and references', 'Bibliography'], ['German-suited tarot decks', 'Tarot card reading', 'Tarot decks in occult usage', 'See also', 'Notes', 'References', 'Bibliography', 'Staff', 'See also', 'References'], ['References'], ['Background', 'Medicine', 'Internet', 'Paranormal', 'Marketing', 'See also', 'References', 'Sources', 'Further reading'], ['Satellite campuses', 'Library', 'Centre for Continuing Education', 'Museums and galleries', 'Halls of residence and residential colleges', 'Gallery', 'Organisation', 'Academic profile', 'Rankings', 'Endowments and research grants'], ['Further reading', 'Political parties', 'Ecuador stubs', 'ISO 4217', 'Modern obsolete currencies', 'World War II', 'Coming of war', "German invasion and coup d'état", 'Head of the government', 'Minister President', 'Arrest, trial, death, and legacy', 'Personality', 'Religious and philosophical views', 'See also', 'Footnotes', 'History', 'Varieties', 'Health effects', 'Arthritis', 'Bone health', 'Dental health', 'Diabetes', 'Eating disorders', 'Heart health', 'Longevity']]



['Wikipedia: Peisistratus (disambiguation)', 'Wikipedia: Quo vadis?', "Wikipedia: Roget's Thesaurus", 'Wikipedia: Spice', 'Wikipedia: List of Spanish-language poets', 'Wikipedia: Scalable Vector Graphics', 'Wikipedia: SJK', 'Wikipedia: The Band', 'Wikipedia: Thuban', 'Wikipedia: Ursa Major', 'Wikipedia: University of Tulsa', 'Wikipedia: USS Memphis', 'Wikipedia: Vieille Montagne']
[['Notes', 'References', 'All article disambiguation pages', 'Israeli–Palestinian conflict', 'List of notable congregations', 'See also', 'References', 'Bibliography', 'Further reading'], ['See also', 'References'], ['Obelisks and columns', 'Bridges', 'Catacombs', 'Economy', 'Education', 'Culture', 'Entertainment and performing arts', 'Tourism', 'Fashion', 'Cuisine', 'White Sea, Barents Sea, and other seas of Arctic Ocean', 'Seas of Pacific Ocean', 'Caspian Sea', 'Pipelines', 'Air transport', 'Airports with paved runways', 'Airports with unpaved runways', 'See also', 'References'], ['Linguistics', 'Politics and ideology', 'Politics', 'Ideologies', 'Science and mathematics', 'Science', 'Mathematics', 'Other uses', 'See also', 'Reception', 'Scientism', 'Race and ethnicity', 'Judaism', 'Writings (selection)', 'See also', 'References', 'Further reading'], ['His own collections', 'Posthumous collections', 'Individual poems', 'References'], ['Cartesian product', 'Applications', 'Axiomatic set theory', 'Principle of inclusion and exclusion', "De Morgan's laws", 'See also', 'Notes', 'References'], ['History', 'Early history', 'Middle Ages', 'Early Modern Period', 'Function', 'Classification and types', 'Northern Logudorese', 'Central (Common) Logudorese', 'Nuorese', 'Medieval administrative documents', 'Poetry', 'Writers', 'See also', 'References'], ['Culture', 'Festivals', 'Sport', 'Music and dance', 'Cinema', 'Education', 'Cuisine', 'LGBTQ non-acceptance', 'Flora and fauna', 'Gallery', 'Ports', 'Air', 'Demographics', 'Urbanisation', 'Municipalities by population', 'Municipalities by area', 'Languages', 'Immigration', 'Emigration', 'Religion', 'Argentina', 'Bolivia', 'Chile', 'Colombia', 'Cuba', 'Overview', 'Printing', 'Scripting and animation', 'Compression', 'Development history', 'MIPS-based systems', 'Workstations', 'Servers', 'Visualization', 'Intel IA-32-based systems', 'Itanium-based systems', 'Intel/AMD x86-64 systems', 'FPGA-based accelerators', 'Storage systems', 'Storage solutions', 'Transportation', 'Healthcare', 'Education', 'Demography', 'Ethnic groups', 'Languages', 'Religion', 'Culture', 'International relations', 'See also', 'Topics', 'Spaceflight', 'Satellites', 'Commercialization of space', 'Alien life', 'Human spaceflight and habitation', 'Human representation and participation', 'Women', 'Art', 'See also', 'See also', 'References', 'All article disambiguation pages', 'History', 'CIA covert support', 'Relations with the Catholic Church', 'Secular philosophical underpinnings', 'Influence abroad', 'Organization', 'Regional structure', 'Network of key factories', 'Definition', 'History', 'False snuff films', 'The Guinea Pig films', 'Cannibal Holocaust', 'Down in It', 'August Underground trilogy', 'Fictional examples', "Influences: professional organizations' statements", 'Efforts to change sexual orientation', 'Assessment and measurement', 'Early classification schemes', 'Kinsey scale', 'Klein Sexual Orientation Grid', 'The Sell Assessment of Sexual Orientation', 'Difficulties with assessment', 'Implications', 'Proposed solutions', 'Mormonism', 'Islam', 'Tawhid', 'Sin and repentance', 'Five Pillars', 'Indian religions', 'Jainism', 'See also', 'References', 'Sources', 'Population', 'Largest urban centers', 'Ethnology', 'Religion', 'Languages', 'Terminology', 'English', 'Spanish', 'Portuguese', 'French', 'Fortifications of the city', 'Prehistory of Troy', 'Table of layers', 'Troy I–V', "Schliemann's Troy II", 'Troy VI and VII', "Calvert's Thousand-Year Gap", 'Historical Troy', 'Troy in Late Bronze Age Hittite and Egyptian records', 'The language culture of Troy', 'Fiscal policy', 'Industry', 'Gas', 'Oil', 'Construction materials', 'Chemicals', 'Services', 'Banking', 'Tourism', 'Types', 'Traumatic tattoos', 'Subcultural connotations', 'Identification', 'Cosmetic', 'Functional', 'Medical', 'History', 'Europe', 'America', 'The Soviets', 'The Americans and the British', 'Themes', 'Development', 'Reception', 'Critical', 'Commercial', 'Adaptations', 'Film', 'Games', 'History', '1960–1964: The Hawks', '1965–1967: With Bob Dylan', '1968–1972: Initial success', '1973–1975: Move to Shangri-La', '1976–1978: The Last Waltz', 'Nomenclature', 'Visibility', 'Pole star', 'Binary system', 'Properties', 'Popular culture', 'Formal statement', 'History', 'Equivalent statements', 'Variations', 'See also', 'References'], ['Plot', 'Themes', 'Reception', 'In other media', 'Film', 'Stage', 'Radio', 'Influence', 'Literature', 'Television', 'Characteristics', 'Features', 'Asterisms', 'Other stars', 'Coat of arms', 'Notable alumni', 'See also', 'References', 'Citations', 'Sources'], ['Science and technology', 'Other uses', 'History', 'Etymology', 'History', 'References'], ['References', 'Bibliography', 'In Norwegian', 'Primary sources'], ['Diet composition and nutrition', 'Protein', 'Iron', 'Vitamin B12', 'Fatty acids', 'Calcium', 'Vitamin D', 'Vitamin D2', 'Choline', 'Ethics and diet']]



['Wikipedia: Prime Minister of Japan', 'Wikipedia: Piña colada', 'Wikipedia: QED', 'Wikipedia: Foreign relations of Russia', 'Wikipedia: Roxy Music', 'Wikipedia: Remembrance of the Dead', 'Wikipedia: Racial segregation', 'Wikipedia: Science', 'Wikipedia: Sardinian language', 'Wikipedia: History of Saint Lucia', 'Wikipedia: Steiner system', 'Wikipedia: Seneca', 'Wikipedia: Symbionese Liberation Army', 'Wikipedia: Surtsey', 'Wikipedia: Software testing', 'Wikipedia: Lockheed S-3 Viking', 'Wikipedia: The Cardinal of the Kremlin', 'Wikipedia: Toyotomi Hideyoshi', 'Wikipedia: Thomas J. Watson', 'Wikipedia: Thornapple', 'Wikipedia: User Datagram Protocol', 'Wikipedia: USS Tecumseh']
[['All disambiguation pages', 'Disambiguation pages with short descriptions', 'Human name disambiguation pages', 'Short description is different from Wikidata', 'Etymology', 'History', 'In popular culture', 'Preparation', 'Variations', 'See also', 'In culture', 'References'], ['Cinema', 'Language', 'Sports', 'Transport', 'International entities, organisations and involvement', 'International relations', 'Twin towns and sister cities', 'Other relationships', 'See also', 'Notes', 'History', 'Foreign policies', 'Current issues', 'History', 'Formation and early years (1970–1971)', 'First two albums (1972–1973)', 'Stranded, Country Life, Siren, and solo projects (1973–1977)', 'Definition', 'Description', 'See also', 'References', 'See also', 'Notes', 'Bibliography'], ['History', 'Early cultures', 'Classical antiquity', 'Medieval science', 'Culinary herbs and spices', 'Botanical basis', 'Common spice mixtures', 'Handling', 'Salmonella contamination', 'Nutrition', 'Production', 'Standardization', 'Research', 'Gallery', 'Overview', 'History', 'Origins of modern Sardinian', 'Judicates period', 'See also', 'References', 'Citations', 'Sources'], ['Education', 'Primary', 'Secondary', 'Tertiary', 'Culture', 'Heritage', 'Cuisine', 'Dance', 'Ballet', 'Modern dance', 'Dominican Republic', 'Ecuador', 'El Salvador', 'Honduras', 'Mexico', 'Nicaragua', 'Paraguay', 'Peru', 'The Philippines', 'Puerto Rico', 'Version 1.x', 'Version 2.x', 'Mobile profiles', 'Differences from non-mobile SVG', 'Related work', 'Functionality', 'Example', 'SVG on the web', 'Native browser support', 'Mobile support', 'Displays', 'Accelerator cards', 'See also', 'Other infos', 'References'], ['Notes', 'References'], ['Robotic space exploration programs', 'Living in space', 'Animals in space', 'Humans in space', 'Recent and future developments', 'Other', 'References', 'Further reading'], ['All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'Chairmen', 'See also', 'References', 'Further reading'], ['See also', 'References', 'Further reading'], ['Means of assessment', 'Sexual arousal', 'Culture', 'Language', 'Perceptions', 'Racism and ethnically relevant support', 'Religion', 'Internet and media', 'Demographics', 'Kinsey data'], ['Development', 'Design', 'Dutch', 'Multinational organizations', 'Economy', 'See also', 'Notes', 'References', 'Further reading'], ['Dark Age Troy', 'Classical and Hellenistic Troy (Troy VIII)', 'Roman Troy (Troy IX)', 'Ecclesiastical Troy in late antiquity', 'Modern ecclesiastical Troy', 'Alternative views', 'Unusual locations', 'Medieval legends', 'See also', 'Notes', 'Agriculture', 'Trade', 'Labor', 'Privatization', 'Macro-economic trend', 'Other statistics', 'Notes'], ['Protection papers', 'Freedom papers', 'Australia', 'Process', 'Stencil and Hectograph', 'Equipment', 'Practice regulation and Health risk certification', 'Associations', 'Historical associations', 'Modern associations', 'Legacy', 'See also', 'References', 'Further reading'], ['1983–1989: Reformation and the loss of Richard Manuel', '1990–1999: Return to final recording', "Members' other endeavours", 'Musical style', 'Copyright controversy', 'Legacy', 'Members', 'Timeline', 'Discography', 'See also', 'References'], ['Early life (1537–1558)', 'Early life and career', 'NCR', 'Head of IBM', 'Dealings with Nazi Germany before World War Two', 'Dealings with US Government during World War Two', 'Music', 'See also', 'References'], ['Deep-sky objects', 'Meteor showers', 'Extrasolar planets', 'History', 'Mythology', 'Greco-Roman tradition', 'Hindu tradition', 'Judeo-Christian tradition', 'East Asian traditions', 'Native American traditions', 'Attributes', 'Ports', 'UDP datagram structure', 'Checksum computation', 'IPv4 pseudo header', 'IPv6 pseudo header', 'Frontier Origins', 'Relocation to Tulsa', '20th century', '21st century', 'Academics', 'Rankings', 'Scholarship and fellowship recipients', 'Bayless Plaza', 'H. A. Chapman Stadium', 'Donald W. Reynolds Center', 'All set index articles', 'Articles with short description', 'Set indices on ships', 'Short description is different from Wikidata', 'United States Navy ship names', 'History', 'Strike in Balen', 'See also', 'References'], ['General', 'Ethics of killing for food', 'Dairy and eggs', 'Treatment of animals', 'Religion and diet', "Bahá'í faith", 'Buddhism', 'Christianity', 'Seventh-day Adventist', 'Hinduism']]



['Wikipedia: PackBits', 'Wikipedia: Qantas', 'Wikipedia: Rocky Mountains', 'Wikipedia: List of fictional robots and androids', 'Wikipedia: Sect', 'Wikipedia: Set theory', 'Wikipedia: Spectroscopy', 'Wikipedia: Outline of space science', 'Wikipedia: Spandrel', 'Wikipedia: The Time Machine', 'Wikipedia: Telecommunications in Turkmenistan', 'Wikipedia: Tempo', 'Wikipedia: Ty Cobb', 'Wikipedia: Vanadium']
[['History', 'Appointment', 'Qualifications', 'Role', 'Constitutional roles', 'Statutory roles', 'Insignia', 'Official office and residence', 'Travel', 'References'], [], ['Mathematics, science, and technology', 'Television', 'Music', 'Other uses', 'References', 'Bibliography'], ['Bilateral relations', 'Africa', 'Americas', 'Asia', 'Europe', 'Oceania', 'Perception', 'Global opinion', 'Alleged aggressiveness', 'Multilateral', 'Final albums and hiatus (1978–1983)', 'Reunions and final dissolution (2001–2011)', 'Style', 'Legacy and influence', 'In popular culture', 'Members', 'Discography', 'Notes', 'References'], [], ['Theatre', 'Literature', 'Historic cases from 10,000 BC to the 1960s', 'Imperial China', 'Tang dynasty', 'Qing dynasty', 'Colonial societies', 'Belgian Congo', 'French Algeria', 'Renaissance and early modern science', 'Age of Enlightenment', '19th century', '20th century', '21st century', 'Branches of science', 'Natural science', 'Social science', 'Formal science', 'Scientific research', 'See also', 'Notes', 'References', 'Further reading'], ['Iberian period – Catalan and Spanish influence', 'Savoyard period – Italian influence', 'Present situation', 'Phonology', 'Vowels', 'Consonants', 'Fricatives', 'Affricates', 'Nasals', 'Liquids', 'Pre-colonial period', '16th century', '17th century', '18th century', '19th century', '20th century to 21st century', 'See also', 'References', 'Festivals, book fairs, and other events', 'Film', 'Film actors', 'Film directors', 'Literature', 'Authors', 'Literary history', 'Music', 'Traditional folk music', 'Modern folk (Slovenian country) music', 'Spain', 'United States', 'Uruguay', 'Venezuela', 'See also', 'Application support', 'See also', 'References'], ['Types of Steiner systems', 'Steiner triple systems', 'Properties', 'History', 'Mathieu groups', 'The Steiner system S(5, 6, 12)', 'Projective line construction', 'People and language', 'Places', 'Extraterrestrial', 'Bodies of water in the United States', 'Communities in the United States and Canada', 'Other places', 'Brands and enterprises', 'Education', 'Music', 'Transportation', 'Branches of space sciences', 'Space-related interdisciplinary fields', 'Astronomy', 'Space exploration', 'Beliefs and symbols', '"Symbionese" concept', 'Seven-headed cobra', 'Formation and initial activities', 'Prison visits and political film', 'DeFreeze escapes prison', 'Murder of Marcus Foster', 'Kidnapping of Patricia Hearst', 'Conditions of the initial captivity of Patricia Hearst', 'Geology', 'Formation', 'Eruption at the surface', 'Permanent island', 'Subsequent volcanic activity', 'Recent development', 'Future', 'Biology', 'Overview', 'Defects and failures', 'Input combinations and preconditions', 'Economics', 'Roles', 'History', 'Testing approach', 'Static, dynamic and passive testing', 'Exploratory approach', 'Social constructionism', 'Law, politics and theology', 'See also', 'References', 'Further reading', 'Operational history', 'Iraq War', 'Retirement', 'Potential interest', 'Variants', 'Operators', 'Aircraft on display', 'Specifications (S-3A)', 'See also', 'References', 'History', 'Plot', 'Deleted text', 'Scholarship', 'Academic publications', 'References', 'Reference bibliography', 'Additional sources', 'General', 'Archaeological', 'Geographical', 'Concerning ecclesiastical history', 'Concerning legend'], ['Satellite', 'Mobile', 'Internet Service', 'Censorship', 'Television', 'Advertising and marketing', 'Health risks', 'Removal', 'Temporary tattoos', 'Types of temporary tattoos', 'Decal-style temporary tattoos', 'Metallic jewelry tattoos', 'Airbrush temporary tattoos', 'Henna temporary tattoos', 'Temporary tattoo safety', 'Plot summary', 'Characters', 'Themes', 'Reception', 'Adaptations', 'Video game', 'Film', 'References', 'Notes', 'Citations', 'References', 'Further reading'], ['Service under Nobunaga (1558–1582)', 'Death of Nobunaga', 'Rise to Power (1582–1585)', 'Construction of Osaka Castle', 'Conflict with Katsuie', 'Conflict with Ieyasu', 'Toyotomi clan', 'Unification of Japan (1585–1592)', 'Negoro-ji campaign', 'Shikoku Campaign', 'Post-World War Two', 'Personal life', 'Famous attribution', 'Famous motto', 'See also', 'References', 'Further reading'], ['Plants', 'Places in the US', 'Other uses', 'See also', 'Northern European traditions', 'Southeast Asian traditions', 'Esoteric lore', 'Graphic visualisation', 'See also', 'Notes', 'References', 'Further reading'], ['Reliability and congestion control solutions', 'Applications', 'Comparison of UDP and TCP', 'See also', 'Notes and references', 'Notes', 'RFC references'], ['Sharp Chapel', 'On-campus student residences', 'Museums and libraries', 'Partnership with the Gilcrease Museum', 'The Bob Dylan Archive', 'Student body and student life', 'Diversity and campus life', 'Student Association', 'College traditions', 'Greek life', 'All set index articles', 'Articles with short description', 'Set indices on ships', 'Short description is different from Wikidata', 'United States Navy ship names', 'History', 'Characteristics', 'Isotopes', 'Compounds', 'Oxyanions', 'Halide derivatives', 'Islam', 'Jainism', 'Judaism', 'Rastafari', 'Sikhism', 'Environment and diet', 'Labor conditions and diet', 'Economics and diet', 'Demographics', 'Gender']]



['Wikipedia: Protein targeting', 'Wikipedia: Pub rock (Australia)', 'Wikipedia: Robert Fripp', 'Wikipedia: Geography of Saint Lucia', 'Wikipedia: Sonnet', 'Wikipedia: Shepherd Neame Brewery', 'Wikipedia: Kaman SH-2 Seasprite', 'Wikipedia: Tübingen', 'Wikipedia: Transport in Turkmenistan', 'Wikipedia: Debt of Honor', 'Wikipedia: The Life and Times of Scrooge McDuck', 'Wikipedia: Ursa Minor', 'Wikipedia: USB (disambiguation)', 'Wikipedia: Urdu', 'Wikipedia: Vegemite']
[['Honours and emoluments', 'See also', 'Notes', 'References'], ['Origins', 'See also', 'References', 'History', 'QEA era', 'Jet age', 'Oneworld and Jetstar', '21st century developments', 'COVID-19 pandemic', 'Corporate affairs', 'Business trends', 'Headquarters', 'Etymology', 'Geography', 'Geology', 'Ecology and climate', 'History', 'Indigenous people', 'European exploration', 'Settlement', 'Economy', 'Industry and development', 'NATO and the European Union', 'Former Soviet Republics and Warsaw Pact', 'International membership', 'Mediation in international conflicts', 'Territorial disputes', 'See also', 'References', 'Further reading'], ['Early life', 'Career', '1967–1974: Giles, Giles and Fripp and King Crimson', '19th century and earlier', 'Early 1900s', '1920s', '1930s', '1940s', '1950s and 1960s', '1970s', '1980s', '1990s', '2000s', 'Rhodesia', 'Religious and racial antisemitism', 'Ultranationalism', 'Fascist Italy', 'Nazi Germany', 'Other cases', 'Germany', 'South Africa', 'United States', 'Historic cases (1970s to present)', 'Scientific method', 'Verifiability', 'Role of mathematics', 'Philosophy of science', 'Certainty and science', 'Scientific literature', 'Practical impacts', 'Challenges', 'Replication crisis', 'Fringe science, pseudoscience, and junk science', 'Etymology', 'Sociological definitions and descriptions', 'In other languages', 'In Buddhism', 'In Christianity', 'Roman Catholic sects', 'Protestant sects', 'In Hinduism', 'Grammar', 'Vocabulary', 'Varieties', 'Standardization', 'Sample of text', 'See also', 'Notes', 'References', 'Bibliography'], ['Further reading', 'General', 'Location', 'Slovenska popevka', 'Popular music', 'Singer-songwriters', 'Theatre', 'Visual arts, architecture and design', 'Sports', 'See also', 'Notes', 'References', 'Further reading', 'History', 'Basic concepts and notation', 'Some ontology', 'Axiomatic set theory', 'Applications', 'Areas of study', 'Combinatorial set theory', 'Descriptive set theory', 'Introduction', 'Theory', 'Classification of methods', 'Type of radiative energy', 'Nature of the interaction', 'Type of material', 'Atoms', 'Molecules', 'Crystals and extended materials', 'Kitten construction', 'Construction from K6 graph factorization', 'The Steiner system S(5, 8, 24)', 'Direct lexicographic generation', 'Construction from the binary Golay code', 'Construction from the Miracle Octad Generator', 'See also', 'Notes', 'References'], ['Aircraft', 'Ships', 'Train stations', 'Other uses', 'Astronautics', 'See also', 'References'], ['Political inculcation', "Activities during the period of Hearst's membership", 'Hibernia Bank robbery', 'Return to the Bay Area', 'Crocker Bank robbery', 'Capture and conviction', 'Known members', 'Founding members', 'Later members (after the Hearst kidnapping)', 'Associates and sympathizers', 'Settlement of life', 'Plant life', 'Birds', 'Marine life', 'Other life', 'Human impact', 'See also', 'References'], ['The "box" approach', 'White-box testing', 'Black-box testing', 'Visual testing', 'Grey-box testing', 'Testing levels', 'Unit testing', 'Integration testing', 'System testing', 'Acceptance testing', 'Meaning', 'Domes', 'See also', 'References'], [], ['Design and development', 'Origins', 'Subtext of the names Eloi and Morlock', 'Symbols', 'Adaptations', 'Radio and audio', 'Escape radio broadcasts', '1994 Alien Voices audio drama', '7th Voyage', '2009 BBC Radio 3 broadcast', 'Big Finish', 'Film adaptations', 'Regional structure', 'History', 'Overview', 'Main sights', 'Telephone', 'Newspapers', 'Online', 'TurkmenTel', 'References'], ['Decal-style temporary tattoo safety', 'Airbrush tattoo safety', 'Henna tattoo safety', 'Religious views', 'In popular culture', 'See also', 'Styles', 'Location', 'Others', 'References', 'Plot summary', 'Characters', 'The United States government', 'Measurement', 'Choosing speed', 'Musical vocabulary', 'Basic tempo markings', 'Additional terms', 'French tempo markings', 'German tempo markings', 'English tempo markings', 'Toyama campaign', 'Kyushu Campaign', 'Odawara campaign', 'Death of Sen no Rikyū', 'Korean Campaign (1592–1598)', 'Taikō', 'First campaign against Korea', 'Succession dispute', 'Twenty-six martyrs of Japan', 'Second campaign against Korea', 'Chapter list', 'Historical figures appearing in the work', 'Collected editions', 'References'], ['Early life', 'Major league career', 'Early years', '1910: Chalmers Award controversy', '1911–1914', '1915–1921', 'Cobb as player/manager', 'Move to Philadelphia', 'History and mythology', 'Characteristics', 'Features', 'Stars', 'Science and technology', 'Organisations', 'See also', '2015 student speech controversy', 'Athletics', 'Symbols', 'Publications', 'Notable people', 'Alumni', 'Faculty', 'References'], ['History', 'Demographics and geographic distribution', 'Pakistan', 'India', 'Elsewhere', 'Coordination compounds', 'Organometallic compounds', 'Occurrence', 'Universe', "Earth's crust", 'Water', 'Production', 'Applications', 'Alloys', 'Catalysis', 'Country-specific information', 'See also', 'References', 'Further reading'], []]



['Wikipedia: Phonation', 'Wikipedia: Feminazi', 'Wikipedia: Russian Armed Forces', 'Wikipedia: Rube Foster', 'Wikipedia: Spearmint', 'Wikipedia: Shot reverse shot', 'Wikipedia: History of Slovenia', 'Wikipedia: Sirius', 'Wikipedia: Secondary sex characteristic', 'Wikipedia: Software Engineering Body of Knowledge', 'Wikipedia: SimpleText', 'Wikipedia: Levellers', 'Wikipedia: Clan McDuck', 'Wikipedia: USS Indianapolis (CA-35)', 'Wikipedia: Libertarian Party (United States)']
[['Co-translational translocation', 'Post-translational translocation', 'Sorting of proteins', 'Mitochondria', 'Chloroplasts', 'Both chloroplasts and mitochondria', 'Peroxisomes', 'Diseases', 'Voicing', 'Myoelastic and aerodynamic theory', 'Neurochronaxic theory', 'Airline subsidiaries', 'Aboriginal and Torres Strait Islanders initiatives', 'Promotions and Sponsorships', 'Fundamental structural change', 'Uniform', 'Destinations', 'Codeshare agreements', 'Joint ventures', 'Fleet', 'Order history', 'Tourism', 'See also', 'References', 'Further reading'], ['Service branches', 'History', '2008 military reform', 'Structure', '1974–1981: Collaborations, side projects, and solo career', '1981–1984: Reforming King Crimson', 'Guitar Craft', 'Soundscapes', '1990s collaborations with David Sylvian and others', 'King Crimson redux (1994-2010)', 'Recent work: G3, Porcupine Tree, Slow Music, Theo Travis, The Humans, Jakko Jakszyk, Others', "A Scarcity of Miracles, musical 'retirement' and new lineup of King Crimson", 'Equipment', 'Guitar technique', 'Radio', 'Music', 'Film', '1940s and earlier', '1950s', '1960s', '2010s', 'Television films and series', '1960s and earlier', 'Comics', 'Bahrain', 'Canada', 'Fiji', 'Israel', 'Kenya', 'Liberia', 'Malaysia', 'Mauritania', 'United Kingdom', 'Yemen', 'Sources', 'Further reading'], ['Scientific community', 'Scientists', 'Women in science', 'Learned societies', 'Science and the public', 'Science policy', 'Funding of science', 'Public awareness of science', 'Science journalism', 'Politicization of science', 'In Islam', 'Amman Message', 'In Jainism', 'See also', 'References'], ['Context', 'References', 'Sources'], ['Prehistory to Slavic settlement', 'Prehistory', 'Fuzzy set theory', 'Inner model theory', 'Large cardinals', 'Determinacy', 'Forcing', 'Cardinal invariants', 'Set-theoretic topology', 'Objections to set theory as a foundation for mathematics', 'Set theory in mathematical education', 'See also', 'Nuclei', 'Other types', 'Applications', 'History', 'See also', 'Notes', 'References'], ['Observational history', 'Kinematics', 'Distance', 'In Italian', "Dante's variation", 'In Czech', 'In Dutch', 'English language', 'Renaissance', 'Spenserian', '17th century', '19th century', 'History', 'Beers', 'Seasonal beers', 'Limited edition beers', 'Whitstable Bay collection', 'Keg beers', 'Bottled beers', 'Lager', 'Pubs', 'In the media', 'See also', 'References', 'Further reading'], ['SWEBOK Version 3', '2004 edition of the SWEBOK', 'Similar efforts', 'See also', 'Testing types, techniques and tactics', 'Installation testing', 'Compatibility testing', 'Smoke and sanity testing', 'Regression testing', 'Alpha testing', 'Beta testing', 'Functional vs non-functional testing', 'Continuous testing', 'Destructive testing', 'See also', 'References'], ['Further development', 'Operational history', 'United States', 'New Zealand', 'Exports', 'Variants', 'Operators', 'Aircraft on display', 'Specifications (SH-2F Seasprite)', 'See also', '1949 BBC teleplay', '1960 film', '1978 television film', '2002 film', 'Derivative work', 'Time After Time (1979 film)', 'Comics', 'Sequels by other authors', 'The Time Traveller', 'See also', 'Culture', 'Events', 'Sport', 'Notable residents', 'Districts', 'Population', 'Population development', 'Historical population', 'International relations', 'Infrastructure', 'Airways', 'Railways', 'Railway links with adjacent countries', 'Roadways', 'Seaways', 'Riverways', 'Pipelines', 'Citations', 'Sources'], ['The Central Intelligence Agency', 'The United States military', 'Japan', 'Other characters', 'Themes', 'Reception', 'Legacy', 'References', 'Further reading', 'Variation through a piece', 'Terms for change in tempo', 'Modern classical music', 'Electronic music', 'Extreme tempo', 'Beatmatching', 'See also', 'Citations', 'General sources'], ['Death', 'Family', 'Wives and concubines', 'Children', 'Adopted sons', 'Adopted daughters', 'Grandchildren', 'Cultural legacy', 'Names', 'In popular culture', 'Literary origins', 'Modern family tree by Carl Barks', 'Modern family tree by Don Rosa', 'Post professional career', 'Later life', 'Death', 'Legacy', 'Views on race', 'Rivalry with Sam Crawford', 'Regular season statistics', 'See also', 'Notes', 'References', 'Deep-sky objects', 'Meteor showers', 'See also', 'References', 'Notes', 'Citations'], ['Construction', 'Interwar period', 'World War II', 'New Guinea campaign', 'Aleutian Islands campaign', 'History', 'Name and symbols', 'Structure and composition', 'Libertarian National Committee', 'Cultural identity', 'Colonial India', 'Official status', 'Dialects', 'Code switching', 'Comparison with Modern Standard Hindi', 'Urdu speakers by country', 'Phonology', 'Consonants', 'Vowels', 'Glass coatings and ceramics', 'Other uses', 'Proposed', 'Biological role', 'Vanadoenzymes', 'Vanadium accumulation in tunicates and ascidians', 'Fungi', 'Mammals', 'Research', 'Safety', 'History', 'Consumption', 'Kosher and halal certification', 'Vegan certification', 'Nutritional information', 'Advertising and branding', 'Variations', 'Vegemite Singles']]



['Wikipedia: Range', 'Wikipedia: List of current United States senators', 'Wikipedia: Stop motion', 'Wikipedia: Sabine Baring-Gould', 'Wikipedia: List of science fiction themes', 'Wikipedia: Saint', 'Wikipedia: SOE', 'Wikipedia: Statute of Westminster 1931', 'Wikipedia: Plosive consonant', 'Wikipedia: Trombone', 'Wikipedia: Tractatus Logico-Philosophicus', 'Wikipedia: Armed Forces of Turkmenistan', 'Wikipedia: Jack Ryan (character)', 'Wikipedia: Tommy James and the Shondells', 'Wikipedia: Tokugawa Ieyasu', 'Wikipedia: TAT-1', 'Wikipedia: Ultimate (sport)', 'Wikipedia: Virginia']
[['In bacteria and archaea', 'Gram-negative bacteria', 'Gram-positive bacteria', 'Identifying protein targeting motifs in proteins', 'See also', 'References'], ['State of the glottis', 'Glottal consonants', 'Supra-glottal phonation', 'European language examples', 'Vocal registers', 'Phonology', 'Pedagogy and speech pathology', 'See also', 'References'], ['Liveries', 'Indigenous Art liveries', 'Retro Roo liveries', 'Other liveries', 'Cabin', 'Domestic', 'Business', 'Economy', 'International', 'First', 'Origin and usage', 'Reactions', 'Aftereffects', 'See also', 'References', 'Further reading'], ['Military districts', 'Naval fleets', 'Personnel', 'Reserve components', 'Budget', 'Procurement', 'Nuclear weapons', 'See also', 'Notes', 'References', 'Comments from other artists', 'Personal life', 'Awards and honors', 'Discipline Global Mobile', 'Copyright complaints against Grooveshark', 'Discography', 'Giles, Giles & Fripp', 'Solo', 'Studio albums', 'Live albums', 'Comic books/graphic novels', 'American', 'Australian', 'British', 'Franco-Belgian', 'Other European', 'South American', 'Manga (Japanese comics)', 'Comic strips', 'Web comics', 'See also', 'Notes', 'References', 'Further reading'], ['Early years', 'Leland Giants', 'Chicago American Giants', 'Negro National League', 'Legacy', 'Notes', 'References'], ['See also', 'Notes', 'References', 'Further reading'], ['Description', 'Taxonomy', 'Origin and hybrids', 'History and domestication', 'Ecology', 'Diseases and pests', 'Fungal diseases', 'Terminology', 'History', '1849 to 1895: Before film', 'Ancient Romans', 'Slavic settlement', 'King Samo', 'Middle Ages', 'Carantania to Carinthia', 'Slovenes as a distinct ethnic group', 'Early modern period', 'Age of Enlightenment to the national movement', 'Clashing nationalisms in the late 19th century', 'Emigration', 'Notes', 'References', 'Further reading'], ['Overarching themes', 'Beings', 'Body and mind alterations', 'Habitats', 'Political themes', 'Discovery of Sirius B', 'Colour controversy', 'Observation', 'Stellar system', 'Sirius A', 'Sirius B', 'Apparent third star', 'Star cluster membership', 'Gaia 1', 'Etymology and cultural significance', '20th century', 'In American poetry', 'In Canadian poetry', 'In French', 'In Occitan', 'In German', 'Indian languages', 'In Irish', 'In Polish', 'In Russian', 'See also', 'References', 'Bibliography'], ['Evolutionary roots', 'In non-human animals', 'In humans', 'Females', 'Males', 'References', 'References'], ['Organizations', 'Software performance testing', 'Usability testing', 'Accessibility testing', 'Security testing', 'Internationalization and localization', 'Development testing', 'A/B testing', 'Concurrent testing', 'Conformance testing or type testing', 'Output comparison testing', 'Application', 'Australia', 'Canada', 'Irish Free State', 'New Zealand', 'Newfoundland', 'References', 'Citations', 'Bibliography'], ['References'], ['Construction', 'Higher education', 'Schools', 'See also', 'References'], ['Major ports and harbours', 'See also'], ['References', 'Origin of name', 'Political ambitions', 'Timeline', 'The Moderate', 'Other usage', 'See also', 'Notes', 'References', 'Further reading', 'Early life', 'Civilian career', 'First CIA work and career', 'Patriot Games (1987)', 'History', 'Discography', 'Albums', 'Honours', 'See also', 'Notes', 'References'], ['The seat of Clan McDuck', 'Tartan of Clan McDuck', 'Ancient McDucks', 'Scrooge Shah and Prince Donduk', 'Postclassical McDucks', 'Eider McDuck', 'Quackly McDuck', 'Murdoch McDuck', 'Stuft McDuck', 'Roast McDuck', 'Further reading'], ['History', 'Invention and history', 'Players associations', 'Rules', 'Rulebooks: USAU, WFDF, AUDL', 'AUDL rule changes', 'Throwing and catching techniques', '1943 operations', '1944', '1945', 'Secret mission', 'Sinking', 'Rescue', 'Navy failure to learn of the sinking', 'Court-martial of Captain McVay', "McVay's record cleared", 'Commanders', 'State chapters', 'Membership', 'Platform', 'Size and influence', 'Presidential candidate performance', 'House of Representatives results', 'Senate results', 'Earning ballot status', 'Party supporters', 'Registered voters', 'Vocabulary', 'Formality', 'Writing system', 'Literature', 'Prose', 'Religious', 'Literary', 'Poetry', 'Terminologies', 'Urdu poetry example', 'See also', 'References', 'Further reading'], ['Vegemite Cheesybite', 'My First Vegemite', 'Chocolate and Vegemite', 'Vegemite Blend 17', 'Other products', 'Bans and rumours of bans', 'In popular culture', 'See also', 'Further reading', 'References']]



['Wikipedia: Pinochle', 'Wikipedia: Principal ideal domain', 'Wikipedia: Richard Nixon', 'Wikipedia: Railway Mail Service', 'Wikipedia: Ring Lardner', 'Wikipedia: Samaritanism', 'Wikipedia: Samba', 'Wikipedia: Smuggling', 'Wikipedia: Scottish National Party', 'Wikipedia: The Diggers (band)', 'Wikipedia: Tunnel in the Sky', 'Wikipedia: Time travel', 'Wikipedia: Vietnam veteran']
[['History', 'Deck', 'Partnership auction pinochle', 'Dealing', 'Auction pinochle', 'Passing cards', 'Examples', 'Non-examples', 'Modules', 'Business Suites', 'Business Skybeds', 'Premium Economy', 'In-flight entertainment', 'Audio-video entertainment systems', 'Wireless entertainment systems and Wi-Fi', 'Inflight magazine', 'Services', 'The Qantas Club', 'Facilities', 'Early life', 'Primary and secondary education', 'College and law school education', 'Early career and marriage', 'Sources', 'Further reading'], ['Brian Eno', 'David Bowie', 'David Sylvian', 'Andy Summers', 'The League of Gentlemen', 'The League of Crafty Guitarists', 'Theo Travis', 'Other recordings', 'Collaborations', 'Production', 'Web-based media', 'Animated shorts/series', 'Flash', 'Web series', 'Machinima', 'Podcasts', 'Computer and video games', 'See also', 'Notes'], ['Geography', 'Mathematics', 'Music', 'People', 'Places', 'Science', 'Technology', 'Other uses', 'Personal life', 'Writing career', 'Cultural references', 'Sons and great-nephew', 'Bibliography', 'Party affiliation', 'Leadership', 'Majority leadership', 'Minority leadership', 'List of senators', 'Demographics', 'See also', 'Notes', 'Nematode diseases', 'Viral and phytoplasmal diseases', 'Cultivation', 'Oil uses', 'Research and health effects of spearmint oil', 'Spearmint oil used as insecticide and pesticide', 'Medical research', 'Antitumor', 'Antioxidant', 'Antimicrobial', '1895-1928: The silent film era', 'Segundo de Chomón', 'Edwin S. Porter and Wallace McCutcheon Sr.', 'J. Stuart Blackton', 'Émile Cohl', 'Arthur Melbourne-Cooper', 'Alexander Shiryaev', 'Władysław Starewicz (Russian period)', "Willis O'Brien's early films", 'Helena Smith Dayton', 'Merging into the Yugoslav state and struggle for the border areas', 'Border with Austria', 'Border with Italy', 'Kingdom of Yugoslavia', 'Fascist Italianization of Littoral Slovenes and resistance', 'Slovenia in Titoist Yugoslavia', 'Stalinist period', 'The 1948 Tito–Stalin split and aftermath', '1950s: heavy industrialization', '1960s: "Self-management"', 'Origins', 'Career', 'Folk songs', 'Literature', 'Dartmoor', 'Family', 'List of works', 'References'], ['Technologies', 'Travel', 'See also', 'References', 'Dogon', 'Serer religion', 'Modern significance', 'Notes', 'References', 'Citations', 'Bibliography'], ['In Slovenian', 'In Spanish', 'See also', 'References', 'Further reading'], ['General characteristics', 'Christianity', 'Catholic Church', 'Stages of canonization', 'Eastern Orthodoxy', 'Oriental Orthodoxy', 'Anglicanism', 'Lutheranism', 'Methodism', 'Etymology', 'History', 'Types of smuggling', 'Goods', 'People smuggling', 'Science and technology', 'Other uses', 'See also', 'Testing process', 'Traditional waterfall development model', 'Agile or XP development model', 'A sample testing cycle', 'Automated testing', 'Testing tools', 'Measurement in software testing', 'Hierarchy of testing difficulty', 'Testing artifacts', 'Certifications', 'Union of South Africa', 'Implications for succession to the throne', 'Abdication of King Edward VIII', 'Commemoration', 'See also', 'Footnotes', 'Further reading', 'External link', 'Terminology', 'Articulation', 'Common plosives', 'Classification', 'Voice', 'Aspiration', 'Length', 'Nasalization', 'Airstream mechanism', 'History', 'Etymology', 'Origin', 'Classical period', 'Romantic period', '19th-century orchestras', '19th-century wind bands', '19th-century pedagogy', '19th-century construction', 'Twentieth century', 'Main theses', 'Proposition 1', 'Propositions 2 and 3', 'Propositions 4.N to 5.N', 'Proposition 6.N', 'Proposition 7', 'The picture theory', 'Logical atomism', 'History', 'Military doctrine', 'Military hierarchy', 'Defense Ministry', 'State Security Council', 'General Staff', 'Structure', 'List of Chiefs of Staff', 'Military organization', 'History', 'Members', 'Discography', 'References', 'Red Rabbit (2002)', 'The Hunt for Red October (1984)', 'The Cardinal of the Kremlin (1988)', 'Clear and Present Danger (1989)', 'The Sum of All Fears (1990)', 'Debt of Honor (1994)', 'First Ryan administration', 'Executive Orders (1996)', 'Ryan Doctrine', 'The Bear and the Dragon (2000)', 'Compilation Albums', 'Singles', 'Further reading', 'References'], ['Background', 'Early life (1542–1556)', 'Service under Imagawa (1556–1560)', 'Death of Yoshimoto', 'Unification of Mikawa (1560–1565)', 'Alliance with Nobunaga', 'Battle of Batogahara', 'Rise to Power (1565–1570)', 'Swamphole McDuck', 'Donald McDuck', 'Simon McDuck', 'Early modern McDucks', 'Malcolm McDuck', 'Locksley McDuck', 'Hugh McDuck', 'Modern McDucks (1st generation)', 'Dingus McDuck', 'Molly Mallard', 'See also', 'References'], ['Strategy and tactics', 'Offense', 'Handlers and cutters', 'Vertical stack', 'Horizontal stack', 'Feature, German, or isolation', 'Hexagon or Mexican', 'Defense', 'Pull', 'Force', 'Awards', 'Discovery of the wreck', 'Reunions', 'Memorials', 'In popular culture', 'See also', 'Notes', 'References', 'Sources'], ['Election victories', 'Best results in major races', '2016 election', 'Politicians leaving their parties for the Libertarians', 'Presidential ballot access', 'Political positions', 'Economic issues', 'Education', 'Environment', 'Fiscal policies', 'Transliteration', 'Translation', 'Sample text', 'Urdu text', 'Devanagari transcription (used in India only)', 'Transliteration (ALA-LC)', 'IPA transcription', 'Gloss (word-for-word)', 'Translation (grammatical)', 'See also', 'Geography', 'Geology and terrain', 'Climate', 'Ecosystem', 'History', 'Colony', 'Statehood', 'Civil War and aftermath', 'Post-Reconstruction'], ['South Vietnamese veterans', 'US veterans']]



['Wikipedia: Pioneer program', 'Wikipedia: Robert Zubrin', 'Wikipedia: Roman', 'Wikipedia: Roslagen', 'Wikipedia: River Clyde', 'Wikipedia: Statistic', 'Wikipedia: Satureja', 'Wikipedia: Salt (chemistry)', 'Wikipedia: Simon Magus', 'Wikipedia: Serbia', 'Wikipedia: Tallage', 'Wikipedia: Undead', 'Wikipedia: Ultramontanism']
[['Melding', 'Playing tricks', 'Scoring tricks', 'Game variations', 'Two-handed', 'Three-handed', 'Renege', 'Cutthroat', 'Four-handed', 'Five-handed and larger', 'Properties', 'See also', 'Notes', 'References'], ['Lounge access', 'Qantas Frequent Flyer', 'Accidents and incidents', 'Extortion attempts', 'Controversies', 'Sex discrimination controversy', 'Price fixing', '2011 industrial unrest and grounding of fleet', 'Asylum seeker deportations', 'Awards', 'Military service', 'Rising politician', 'Congressional career', 'California congressman (1947−1950)', 'U.S. Senate (1950−1953)', 'Vice presidency (1953–1961)', '1960 and 1962 elections; wilderness years', '1968 presidential election', 'Presidency (1969–1974)', 'Foreign policy', 'History', 'Preserved and restored RPO railway cars', 'Operating divisions – 1950', 'See also', 'References', 'Citations', 'Sources'], ['See also', 'Notes', 'References', 'Further reading'], ['Arts and entertainment', 'Music', 'Film and television', 'See also', 'See also', 'References', 'Books', 'Essays and other contributions', 'Notes', 'References'], ['Online editions', 'References', 'Examples', 'Properties', 'Additional properties', 'Beverages', 'Gallery', 'References'], ['Starewicz in Paris', 'Other silent stop motion', '1930s and 1940s', '1950s', '1960s and 1970s', '1980s', '1990s', '21st century', 'List of stop motion artists', 'List of stop motion films', '1970s: "Years of Lead"', '1980s: Towards independence', 'Republic of Slovenia', 'Free elections', 'Kučan presidency (1990–2002)', 'The DEMOS government (1990–1992): Independence', "Drnovšek premiership (1992–2002): Re-orientation of Slovenia's trade", 'Drnovšek presidency (2002–2007); EU and NATO membership', 'Janša premiership (2004–2008): Unsustainable growth', 'Türk presidency (2007–2012)', 'Works', 'Types of salt', 'Properties', 'History', 'Beliefs', 'Festivals and observances', 'Religious texts', 'See also', 'References', 'Further reading', 'History', 'Acts of the Apostles', 'Josephus', 'Justin Martyr and Irenaeus', 'Myth of Simon and Helen', 'Etymology', 'History', 'Origins', 'Favela and the Tias from Bahia', 'Scenes in Bahia and São Paulo', 'First decades of the 20th century', '"Pelo Telefone"', 'Other Protestantism', 'The Church of Jesus Christ of Latter-day Saints', 'Other religions', 'African diaspora', 'Buddhism', 'Hinduism', 'Islam', 'Judaism', 'Sikhism', 'See also', 'Human trafficking', 'Child trafficking', 'Human trafficking and migration', 'Wildlife', 'Economics of smuggling', 'Methods', 'Legal definition', 'See also', 'References', 'Further reading', 'History', 'Foundation and early breakthroughs (1934–1970)', 'Becoming a major force (1970s)', 'Factional divisions and infighting (1980s)', 'First Salmond era (1990s)', 'Opposing Labour-Liberal Democrat coalitions (1999–2007)', 'Salmond government (2007–2014)', 'Sturgeon years (2014 onwards)', 'Constitution and structure', 'National Executive Committee', 'Controversy', 'Related processes', 'Software verification and validation', 'Software quality assurance', 'See also', 'References', 'Further reading'], ['Etymology', 'History', 'Prehistory and antiquity', 'Arrival of the Slavs and state formation', 'Ottoman and Habsburg rule', 'Tenseness', 'Transcription', 'English', 'Variations', 'See also', 'References', 'Further reading'], ['20th-century orchestras', '20th-century wind bands', 'Use in jazz', '20th-century construction', 'Contemporary use', 'Types', 'Technique', 'Basic slide positions', 'Partials and intonation', 'Pedal tones', 'Distinction between saying and showing', 'Reception and influence', 'Philosophical', 'Artistic', 'Editions', 'Notes', 'References'], ['Ground Forces', 'Equipment', 'Artillery', 'Air Defence Guns', 'Surface to Air Missiles', 'Light equipment', 'Gallery', 'Air Force', 'Aircraft', 'Current inventory', 'England', 'Tallage and Jews', 'France', 'The Campus', 'Second Ryan administration', 'Dead or Alive (2010)', 'Locked On (2011)', 'Threat Vector (2012)', 'Command Authority (2013)', 'Full Force and Effect (2014)', 'Commander in Chief (2015)', 'True Faith and Allegiance (2016)', 'Power and Empire (2017)', 'Plot summary', 'Themes', "Rod's ethnicity", 'References'], ['Tokugawa clan', 'Tōtōmi campaign', 'Ieyasu and Nobunaga (1570-1582)', 'Battle of Anegawa', 'Conflict with Takeda', 'Death of Nobunaga', 'Ieyasu and Hideyoshi (1582-1598)', 'Conflict with Hideyoshi', 'Alliance with Hideyoshi', 'Council of Five Elders', 'Quagmire McDuck', 'Modern McDucks (2nd generation)', 'Angus "Pothole" McDuck', 'Fergus McDuck', "Downy O'Drake", 'Jake McDuck', 'Modern McDucks (3rd generation)', 'Rumpus McFowl', 'Scrooge McDuck', 'Gideon McDuck', 'History of the time travel concept', 'Shift to science fiction', 'Early time machines', 'Time travel in physics', 'General relativity', 'Different spacetime geometries', 'Wormholes', 'Other approaches based on general relativity', 'Quantum physics', 'No-communication theorem', 'Match-to-match', 'Poaching', 'Zone', 'Cup', 'Wall', 'Junk or clam', 'Hasami', 'Hexagon or flexagon', 'Spirit of the game', 'Competitions', 'Literature', 'Forms of undead', 'Incorporeal spirits', 'Healthcare', 'Immigration and trade agreements', 'Labor', 'Retirement and Social Security', 'Social issues', 'Abortion', 'Crime and capital punishment', 'Freedom of speech and censorship', 'Government reform', 'LGBT issues', 'Notes', 'References', 'Further reading'], ['Cities and towns', 'Demographics', 'Ethnicity', 'Languages', 'Religion', 'Economy', 'Government', 'Business', 'Agriculture', 'Taxes', 'Posttraumatic stress disorder', 'Veterans from other nations', 'Australian veterans', 'Canadian veterans', 'New Zealand veterans', 'Republic of Korea veterans', 'Thailand veterans', 'Philippines veterans', 'USSR (Soviet Union) veterans', "People's Republic of China (PRC) Veterans"]]



['Wikipedia: QED (text editor)', 'Wikipedia: Rail transport', 'Wikipedia: Ramjet', 'Wikipedia: Sverige (disambiguation)', 'Wikipedia: Statute of Anne', 'Wikipedia: Simple harmonic motion', 'Wikipedia: Smuggling in fiction', 'Wikipedia: Ship-Submarine Recycling Program', 'Wikipedia: Stayman convention', 'Wikipedia: The Fugitive', 'Wikipedia: Glossary of topology', 'Wikipedia: Jupiter trojan', 'Wikipedia: Ullr', 'Wikipedia: Vilnius']
[['Check', 'Double-deck', 'Triple-deck, six-handed', 'Internet', 'Racehorse', 'Eight-player double-deck', 'See also', 'References', 'Literature'], ['Naming', 'Early missions', 'Able space probes (1958–1960)', 'Juno II lunar probes (1958–1959)', 'Later missions (1965–1978)', 'Interplanetary weather', 'Outer Solar System missions', 'Venus project', 'See also', 'References', 'Citations', 'Sources'], ['China', 'Vietnam War', 'Latin American policy', 'Soviet Union', 'Middle Eastern policy', 'Domestic policy', 'Economy', 'Governmental initiatives and organization', 'Civil rights', 'Space policy', 'History', 'Ancient systems', 'Pre-steam', 'Wooden rails introduced', 'Metal rails introduced', 'Early life and education', 'Qualifications and professional experience', 'Pioneer Energy', 'Books', 'Books edited or co-authored', 'The ethics of terraforming', 'Cultural references', 'Patents', 'People', 'Places', 'Roman', 'Romans', 'Religion', 'Other uses', 'See also'], ['History', 'Cyrano de Bergerac', 'Course', 'Industrial growth', 'Deepening the Upper Clyde', 'Shipbuilding and marine engineering', 'Yachting and yachtbuilding', 'Glasgow Humane Society', 'Shipbuilding decline', 'Observability', 'Statistical properties', 'Information of a statistic', 'See also', 'References', 'Description', 'Ecology and cultivation', 'Uses', 'Species==', 'Formerly in Satureja', 'Etymology', 'Notes', 'Variations of stop motion', 'Stereoscopic stop motion', 'Go motion', 'Comparison to computer-generated imagery', 'Stop motion in other media', 'See also', 'References'], ['Pahor premiership (2008–2012): Blocked reforms', 'Pahor Presidency (2012)', 'Janša premiership (2012–2013): Anti-corruption report', 'See also', 'References', 'Further reading'], ['Color', 'Taste', 'Odor', 'Solubility', 'Conductivity', 'Melting point', 'Nomenclature', 'Formation', 'Strong salt', 'Weak salt', 'Background', "Stationers' Company", 'Lapse of the Licensing Act', 'Attempts at replacement', 'Act', 'Hippolytus', 'Simonians', 'Epiphanius', 'Cyril of Jerusalem', 'Apocrypha', 'Acts of Peter', 'Acts of Peter and Paul', 'Pseudo-Clementine literature', 'Anti-Paulinism', 'Anti-Marcionism', 'Turma do Estácio', 'Popularization in the 1930s and 1940s', 'New beat in the 1950s: the Bossa Nova', "Rediscovering of samba's roots in the 1960s and 1970s", 'Rapprochement with the hill', 'Fusion: the samba-funk', 'Partido-Alto for the masses', '1980s until 1990s', 'Samba in the 21st century', 'See also', 'References', 'Citations', 'Sources', 'Further reading'], [], ['List of works', 'Movies', 'Membership', 'European affiliation', 'Policies', 'Ideological foundations', 'Economic policies', 'Social policies', 'Foreign and defence policies', 'Health and education policies', 'Constitution policies', 'Fundamentalists and gradualists', 'Program overview', 'Defueling and decommissioning', 'Spent fuel storage', 'Hull salvage', 'Reactor vessel disposal', 'Revolution and independence', 'The Balkan Wars and World War I', 'Kingdom of Yugoslavia, World War II, and the second Yugoslavia', 'Breakup of Yugoslavia, political transition, and contemporary history', 'Geography', 'Climate', 'Hydrology', 'Environment', 'Politics', 'Law and criminal justice', 'Rationale', 'Standard Stayman', 'Non promissory Stayman and 2 checkback by responder', 'Using Jacoby transfers with Stayman', 'Smolen convention', 'Glissando', 'Trills', 'Notation', 'Mutes', 'Variations in construction', 'Bells', 'Valve attachments', 'Valves', 'Tubing', 'Tuning', 'Arts and entertainment', 'Films', 'Literature', 'Music', 'Songs', 'Naval Forces', 'Other security forces', 'Border Guard', 'Internal Troops', 'Ranks', 'NCOs and Enlisted', 'Military education', 'References', 'Further reading', 'Germany', 'See also', 'Notes', 'References', 'Further reading'], ['Oath of Office (2018)', 'Code of Honor (2019)', 'Series overview', 'Novels', 'Films', 'Television', 'Video games', 'See also', 'References', 'Further reading', 'Observational history', 'Nomenclature', 'Numbers and mass', 'Orbits', 'Dynamical families and binaries', 'Physical properties', 'Death of Hideyoshi', 'Unification of Japan (1598–1603)', 'Conflict with Mitsunari', 'Battle of Sekigahara', 'Shōgun (1603–1605)', 'Ōgosho (1605–1616)', 'Construction of Edo castle', 'Relations with foreign powers', 'Conflict with Hideyori', 'Siege of Osaka', 'Matilda McDuck', 'Hortense McDuck', 'Douglas McDuck', 'Moocher McDuck', 'Other relatives', 'Duck family', 'Aunt Eider', 'Ludwig Von Drake', 'In other languages', 'See also', 'Interacting many-worlds interpretation', 'Experimental results', 'Absence of time travelers from the future', 'Forward time travel in physics', 'Time dilation', 'Philosophy', 'Presentism vs. eternalism', 'The grandfather paradox', 'Ontological paradox', 'Compossibility', 'Professional Leagues (AUDL and PUL in North America)', 'North American leagues', 'College teams', 'National teams', 'Hat tournaments', 'Common concepts and terms', 'See also', 'References'], ['Living corpses', 'See also', 'References', 'Pornography and prostitution', 'Second and Fourth Amendment rights', 'Foreign policy issues', 'Political status of Puerto Rico', 'Internal debates', '"Radicalism" vs. "pragmatism" debate', 'Platform revision', 'State and territorial parties', 'See also', 'Notes', 'History', 'First Vatican Council', 'Reaction', 'Controversy', 'Position of other traditional churches', 'See also', 'References'], ['Culture', 'Fine and performing arts', 'Festivals', 'Media', 'Education', 'Colleges and universities', 'Health', 'Transportation', 'Law and government', 'Politics', 'Stereotypes', 'In popular culture', 'See also', 'References'], []]



['Wikipedia: Peptidoglycan', 'Wikipedia: Lockheed P-38 Lightning', 'Wikipedia: Qusay Hussein', 'Wikipedia: Road', 'Wikipedia: Robert Stevens', 'Wikipedia: Sean Connery', 'Wikipedia: Solar System', 'Wikipedia: Screwball comedy', 'Wikipedia: Geography of Slovenia', 'Wikipedia: Solar deity', 'Wikipedia: September 10', 'Wikipedia: Snowboard', 'Wikipedia: String-searching algorithm', 'Wikipedia: TeX', 'Wikipedia: Foreign relations of Turkmenistan', 'Wikipedia: John Clark (Tom Clancy character)', 'Wikipedia: Tessin', 'Wikipedia: TVP', 'Wikipedia: University of Washington', 'Wikipedia: University of Sussex', 'Wikipedia: Ural-Altaic']
[['Structure', 'Biosynthesis', 'Inhibition', 'See also', 'References'], ['Later implementations', 'See also', 'References', 'Further reading', 'Reelection, Watergate scandal, and resignation', '1972 presidential campaign', 'Watergate', 'Resignation', 'Post-presidency (1974–1994)', 'Pardon and illness', 'Return to public life', 'Author and elder statesman', 'Death and funeral', 'Legacy', 'Steam power introduced', 'Electric power introduced', 'Diesel power introduced', 'High-speed rail', 'Trains', 'Haulage', 'Motive power', 'Passenger trains', 'Freight trains', 'Infrastructure', 'References'], ['Definitions', 'Business', 'Entertainment', 'Law and politics', 'Sports', 'Others', 'See also', 'René Lorin', 'Albert Fonó', 'Soviet Union', 'Germany', 'United States', 'United Kingdom', 'Fritz Zwicky', 'France', 'Engine cycle', 'Design', 'Regeneration', 'Pollution', 'Media', 'See also', 'References', 'Further reading'], ['See also', 'Discovery and exploration', 'Structure and composition', 'Distances and scales', 'Formation and evolution', 'History', 'Characteristics', "Notable examples from the genre's classic period", 'Later screwball comedies', 'Screwball comedy elements in other genres', 'Location', 'Geographic coordinates', 'Area', 'Borders', 'Regions', 'Historical regions', 'See also', 'References', 'Overview', 'Passage', 'Text', 'Aftermath', 'Impact', 'Battle of the Booksellers', 'Expansion and repeal', 'Significance', 'See also', 'References', 'Bibliography', 'Druidism', 'Medieval legends, later interpretations', 'See also', 'References', 'Bibliography'], ['Notes', 'Further reading'], ['Introduction', 'Dynamics', 'Energy', 'Examples', 'Mass on a spring', 'Uniform circular motion', 'Mass of a simple pendulum', 'Scotch yoke', 'Novels', 'Poetry', 'Plays and operas', 'References', 'Leadership', 'Leader of the Scottish National Party', 'Depute Leader of the Scottish National Party', 'President of the Scottish National Party', 'National Secretary of the Scottish National Party', 'Leader of the parliamentary party, Scottish Parliament', 'Leader of the parliamentary party, House of Commons', 'Chief Executive Officer', 'Current SNP Council Leaders', 'Government Ministers and Shadow Cabinet', 'Prior disposal methods', 'Future salvage work', 'Lists of vessels by type', 'Cruisers', 'Attack submarines', 'Ballistic missile submarines', 'References', 'Foreign relations', 'Military', 'Administrative divisions', 'Demographics', 'Religion', 'Language', 'Economy', 'Agriculture', 'Industry', 'Energy', 'Garbage Stayman and Crawling Stayman', 'Forcing and Non-Forcing Stayman', 'Non Promissory Game Forcing Stayman', 'Four Card Major Non Promissory Relay Stayman', 'Five Card Major Non Promissory Relay Stayman', 'Five Card Major Stayman', 'Puppet Stayman', "Responder's rebids", 'Modern applications', 'Responses to a 2NT opening or rebid', 'Slides', 'Mouthpiece', 'Plastic', 'Regional variations', 'Germany and Austria', 'France', 'Didactics', 'Manufacturers', 'See also', 'References', 'Television', 'Series', 'Episodes', 'Other uses', 'See also', 'International disputes', 'Natural resources', 'Organisations', 'Bilateral relations', 'A', 'B', 'C', 'D', 'E', 'F', 'G', 'Profile', 'Personal life', 'Professional life', 'Rotation', 'Composition', 'Origin and evolution', 'Exploration', 'See also', 'Notes', 'References'], ['Death', "Era of Ieyasu's rule", "Ieyasu's character", 'Honours', 'Parents and Siblings', 'Parents', 'Siblings', 'Mother Side', 'Wives and Concubines', 'Children', 'References'], ['People', 'Self-consistency principle', 'In fiction', 'See also', 'References'], ['Overviews and encyclopedic coverage', 'History', 'Founding', '19th century relocation', '20th century expansion', 'Literary tradition', 'Epigraphy', 'Gesta Danorum', 'Poetic Edda', 'Prose Edda', 'Skaldic poetry', 'Toponymy', 'Norway', 'Sweden', 'Modern reception', 'References', 'Further reading'], ['Previous presidential candidates campaign sites', 'History as a hypothesized language family', 'Typology', 'Relationship between Uralic and Altaic', 'Shared vocabulary', 'State elections', 'Federal elections', 'Sports', 'State symbols', 'See also', 'References', 'Bibliography'], ['Tourism and recreation', 'Culture and history', 'Etymology and other names', 'History', 'Early history and Grand Duchy of Lithuania', 'Polish–Lithuanian Commonwealth', 'In the Russian Empire', 'In Poland', 'World War II', 'In the Lithuanian SSR (Soviet Union)']]



['Wikipedia: PDE', 'Wikipedia: Roof', 'Wikipedia: Reactor', 'Wikipedia: Lists of science fiction films', 'Wikipedia: School choice', 'Wikipedia: Skyclad (Neopaganism)', 'Wikipedia: Shaolin Monastery', 'Wikipedia: Saks Fifth Avenue', 'Wikipedia: The Simpsons', 'Wikipedia: Turks and Caicos Islands', 'Wikipedia: Theorem', 'Wikipedia: Topaz', 'Wikipedia: Tours', 'Wikipedia: United Nations Convention on the Law of the Sea', 'Wikipedia: Urban heat island', 'Wikipedia: Vint Cerf']
[['Similarity to pseudopeptidoglycan', 'References'], ['Design and development', 'XP-38 and YP-38 prototypes', 'High-speed compressibility problems', 'Range extension', 'Operational history', 'Entry to the war', 'European theater', 'North Africa and Italy', 'Western Europe', 'Pacific theater', 'Early life', 'Career', 'Death', 'References'], ['Personality and public image', 'Books', 'See also', 'Notes', 'Explanatory notes', 'Citations', 'References', 'Bibliography', 'Nixon Library', 'Other sources', 'Right-of-way', 'Track', 'Train inspection systems', 'Signalling', 'Electrification', 'Stations', 'Operations', 'Ownership', 'Financing', 'Safety', 'Australia', 'New Zealand', 'United Kingdom', 'United States', 'History', 'Design', 'Terminology', 'Construction', 'Maintenance', 'Slab stabilization', 'Etymology', 'Design elements', 'Form', 'Construction', 'Diffusers', 'Combustor', 'Nozzles', 'Performance and control', 'Control', 'Integral rocket ramjet/ducted rocket', 'Flight speed', 'Related engines', 'Air turboramjet', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'Early life', 'Career', '1950s', 'James Bond: 1962–1971, 1983', 'Beyond Bond', 'Retirement', 'Personal life', 'Political opinions', 'Tax status', 'See also', 'Sun', 'Interplanetary medium', 'Inner Solar System', 'Inner planets', 'Mercury', 'Venus', 'Earth', 'Mars', 'Asteroid belt', 'Ceres', 'See also', 'References', 'Further reading'], ['Climate', 'Terrain', 'Elevation extremes', 'Natural resources', 'Land use', 'Environment', 'Current issues', 'International agreements', 'See also', 'References', 'Africa', 'Armenia', 'Aztec mythology', 'Arabia', 'Baltic mythology', 'Buddhism', 'Celtic', 'Chinese mythology', 'Christianity', 'Jesus and the Sun'], ['History', 'Forms', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'References'], ['History', 'Board types', 'Board construction', 'Sustainable Snowboard Manufacturing', 'Boots', 'Bindings', 'Strap-in', 'Step-in', 'Speed entry (hybrid)', 'Highback', 'See also', 'Simple Harmonic Notes', 'References'], ['Kinds of searching', 'Basic classification of search algorithms', 'Single-pattern algorithms', 'Algorithms using a finite set of patterns', 'Algorithms using an infinite number of patterns', 'Other classification', 'Naïve string search', 'Finite-state-automaton-based search', 'Stubs', 'Scottish Parliament', 'House of Commons', 'Present elected representatives', 'Members of the Scottish Parliament', 'Members of Parliament', 'Councillors', 'Electoral performance', 'Local councils', 'Results by council (2017)', 'European Parliament (1979–2020)', 'History', 'Establishment', 'Destructions and renovations', 'Recent history', 'Governance', 'Shaolin temple buildings', 'Transport', 'Telecommunications', 'Tourism', 'Education and science', 'Culture', 'Art and architecture', 'Literature', 'Music', 'Theatre and cinema', 'Media', 'Checkback Stayman', 'References', 'Further reading'], ['Further reading'], ['Slide positions', 'History', 'WEB and literate programming', 'TeX82', 'Public domain', 'Use of TeX', 'Typesetting system', 'How it is run', 'Mathematical example', 'See also', 'References'], ['H', 'I', 'K', 'L', 'M', 'N', 'O', 'Q', 'R', 'S', 'Awards', 'Distinguishing marks', 'Literary appearances', 'In other media', 'Film', 'Jack Ryan films', 'John Clark film series', 'Television', 'Jack Ryan TV series', 'References', 'Informal account of theorems', 'Provability and theoremhood', 'Relation with scientific theories', 'Terminology', 'Layout', 'Speculated Children', 'Adopted children', 'Ancestry', 'Ieyasu in popular culture', 'Honnōji theory', 'See also', 'Notes', 'Bibliography', 'Further reading'], ['Poland and Czech Republic', 'Switzerland', 'Germany', 'Arts and entertainment', 'Science and technology', 'Other uses', '21st century', 'Campus', 'North Campus', 'South Campus', 'East Campus', 'West Campus', 'Organization and administration', 'Governance', 'Finances', 'Endowment', 'See also', 'Notes', 'References'], ['History', '20th century', '21st century', 'Controversies', 'Sackler family donations', 'Links with Qatar', '9/11 conspiracy theory and anti-Semitic comments', 'Sexism and physical abuse', 'Campus', 'Sound correspondences', 'See also', 'Notes', 'References', 'Bibliography'], ['Maps and demographics', 'Life and career', 'Awards and honors', 'Independent Lithuania', 'Geography', 'Nature reserves', 'Climate', 'Culture', 'Painting and sculpture', 'Literature', 'Cinema', 'Music', 'Theatre']]



['Wikipedia: Pope Sixtus IV', 'Wikipedia: Quatrain', 'Wikipedia: Role-playing game', 'Wikipedia: List of reproductive issues', 'Wikipedia: Sculpture', 'Wikipedia: Schutzstaffel', 'Wikipedia: Demographics of Slovenia', 'Wikipedia: September 12', 'Wikipedia: Syracuse, Sicily', 'Wikipedia: Stevens–Johnson syndrome', 'Wikipedia: Scotch-Irish', 'Wikipedia: Sycorax (disambiguation)', 'Wikipedia: Relationship between religion and science', 'Wikipedia: Thích Nhất Hạnh', 'Wikipedia: Tissue']
[['All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'Isoroku Yamamoto', 'Service record', 'Postwar operations', 'Production', 'P-38D and P-38Es', 'P-38Fs and P-38Gs', 'P-38J, P-38L', 'Pathfinders, night-fighter and other variants', 'Variants', 'Operators', 'Forms', 'See also', 'Notes', 'References', 'Further reading'], ['Official websites', 'Media coverage', 'Other', 'Maintenance', 'Social, economical, and energetic aspects', 'Energy', 'Energy efficiency', 'Usage', 'Social and economic benefits', 'Modernization', 'Model of corporate management', 'Shipping freight and passengers', 'Basis of the private financial system', 'Testing', 'Joint sealing', 'Safety considerations', 'Road conditions', 'Environmental performance', 'Regulation', 'Right- and left-hand traffic', 'Economics', 'Construction costs', 'Statistics', 'Parts', 'Support', 'Outer layer', 'Functions', 'Insulation', 'Drainage', 'Solar roofs', 'Gallery of roof shapes', 'Gallery of significant roofs', 'See also', 'Supersonic-combustion ramjets (scramjets)', 'Precooled engines', 'Nuclear-powered ramjet', 'Ionospheric ramjet', 'Bussard ramjet', 'Ramjet mode for an afterburning turbojet', 'Aircraft using ramjets', 'Missiles using ramjets', 'See also', 'References', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'References', 'Bibliography'], ['Asteroid groups', 'Outer Solar System', 'Outer planets', 'Jupiter', 'Saturn', 'Uranus', 'Neptune', 'Centaurs', 'Comets', 'Trans-Neptunian region', 'Lists by decade', 'See also', 'References'], [], ['Vital statistics==', 'Current vital statistics===', 'Greco-Roman world', 'Hinduism', 'Indian mythology', 'Indonesian mythology', 'Modern mythology', 'Solar myth', 'Solar barge and sun chariot', 'Female and male', 'See also', 'References', 'Scholarship tax credits', 'Vouchers', 'Charter schools', 'Magnet schools', 'Home schooling', 'Inter-district enrollment', 'Education Savings Accounts', 'Tax credit/deduction for educational expenses', 'Individual Tax Credit and Deduction Option', 'Online Learning', 'Events', 'Births', 'Deaths', 'Holidays and observances', 'Plate', 'Stomp pad', 'Stances', 'Stance width', 'Binding angle', 'Popular destinations', 'Notable snowboarders', 'See also', 'References', 'Further reading', 'Notes and references', 'History', 'Index methods', 'Other variants', 'See also', 'References'], ['Two-tier local councils (1975–1996)', 'See also', 'References', 'Further reading'], ['Southern and Northern Shaolin Monasteries', 'See also', 'References', 'Sources'], ['Cuisine', 'Sports', 'See also', 'Notes', 'References'], ['History', 'Origins: A. Saks & Co.', 'Saks on Fifth Avenue, New York City', "History under Proffitt's and Saks, Inc.", "Current operations under Hudson's Bay Company", '2013–2019', '2020', 'Legal controversies', 'Notable locations', 'Premise', 'Characters', 'Continuity and the floating timeline', 'Setting', 'Production', 'Development', 'Executive producers and showrunners', 'Writing', 'Voice actors', 'Animation', 'Aspects', 'Mathematical spacing', 'Hyphenation and justification', 'Metafont', 'Macro language', 'Development', 'Distributions and extensions', 'Editors', 'License', 'XML publication', 'Etymology', 'History', 'Pre-colonial era', 'European arrival', 'European Settlement', '19th century', '20th and 21st centuries', 'Geography', 'Turks Islands', 'Mouchoir Bank', 'T', 'U', 'W', 'Z', 'See also', 'References'], ['See also', 'Biography', 'During the Vietnam War', 'Lore', 'Theorems in logic', 'Syntax and semantics', 'Derivation of a theorem', 'Interpretation of a formal theorem', 'Theorems and theories', 'See also', 'Notes', 'References'], ['Biology', 'Paper products', 'Other', 'Characteristics', 'Localities and occurrence', 'Synthetic topaz', 'Etymology', 'Historical usage', 'Superstition', 'See also', 'References'], ['History', 'Middle Ages', '16th–18th centuries', '19th–20th centuries', 'First World War', 'Inter-war years', 'Second World War', 'Major projects', 'Sustainability', 'Academics and research', 'Rankings and reputation', 'Admissions', 'Research', 'Student life', 'Organizations', 'Registered groups', 'Student government', 'Background', 'UNCLOS I', 'UNCLOS II', 'UNCLOS III', 'Part XI and the 1994 Agreement', 'Part XII – Protecting the Marine Environment', 'Biodiversity beyond national jurisdiction', 'Parties', 'See also', 'Library', 'Organisation and administration', 'Schools of Studies', 'Chancellors and Vice-Chancellors', 'Coat of Arms', 'Academic profile', 'Reputation and rankings', 'Research', 'Admissions', 'Educational partners', 'History', 'Causes', 'Diurnal behavior', 'Seasonal behavior', 'Prediction', 'Impact on animals', 'Other impacts on weather and climate', 'Partial bibliography', 'Author', 'Co-author', 'See also', 'References', 'Further reading'], ['Language', 'Fashion', 'Holidays and festivals', 'Administration', 'City government', 'Municipal council of the city', 'Mayors', 'Subdivisions', 'District municipality', 'National government']]



['Wikipedia: Quantum chromodynamics', 'Wikipedia: Roman roads', 'Wikipedia: Podocarpus latifolius', 'Wikipedia: Ranma ½', 'Wikipedia: Rational root theorem', 'Wikipedia: Stendhal syndrome', 'Wikipedia: School', 'Wikipedia: Stanza', 'Wikipedia: Seabee', 'Wikipedia: Theodore Sturgeon', 'Wikipedia: Tool (band)', 'Wikipedia: Tonne', 'Wikipedia: Ted Raimi', 'Wikipedia: Ucayali River', 'Wikipedia: Veal']
[['Early life', 'Papacy', 'Nepotism', 'Foreign policy', 'Slavery', 'Princely patronage', 'Other activities', 'Consistories', 'Noted P-38s', 'YIPPEE', 'Glacier Girl', "'Maid of Harlech'", 'Surviving aircraft', 'Noted P-38 pilots', 'Richard Bong and Thomas McGuire', 'Charles Lindbergh', 'Charles MacDonald', 'Martin James Monti', 'Terminology', 'History', 'Theory', 'Some definitions', 'Purpose', 'Use of Tabletop Role-Playing Games in Therapy', 'Varieties', 'Tabletop', 'Live action', 'Electronic media', 'Single-player', 'Multiplayer', 'Inventing modern management', 'Career paths', 'Transportation', 'Wartime roles and air targets', 'Negative impacts', 'Pollution', 'Modern rail as economic development indicator', 'Subsidies', 'Asia', 'China', 'Global connectivity', 'See also', 'References', 'References', 'Appearance', 'Distribution'], ['Plot', 'Production', 'Short description is different from Wikidata', 'Application', 'Cubic equation', 'Types', 'Purposes and subjects', 'Materials and techniques', 'Stone', 'Metal', 'Glass', 'Pottery', 'Wood carving', 'Social status of sculptors', 'Anti-sculpture movements', 'Kuiper belt', 'Pluto and Charon', 'Makemake and Haumea', 'Scattered disc', 'Eris', 'Farthest regions', 'Heliosphere', 'Detached objects', 'Oort cloud', 'Boundaries', 'Origins', 'Forerunner of the SS', 'Early commanders', 'Himmler appointed', 'Ideology', 'Pre-war Germany', "Hitler's personal bodyguards", 'Concentration camps founded', 'Life expectancy at birth', 'Marriages and divorces', 'Vital statistics, marriages and divorces by decade', 'Births and fertility rates', 'Immigration', 'Ethnic groups', 'Religion', 'Language', 'CIA World Factbook demographic statistics', 'Population', 'Bibliography'], ['History', 'Customized Learning', 'Debate', 'Support', 'Opposition', 'International overview and major institutional options', 'Finland', 'France', 'Sweden', 'Chile', 'United States', 'References'], ['Etymology'], ['Example I', 'Example II', 'Greek period', 'Imperial Roman and Byzantine period', 'Emirate of Sicily', 'High medieval period', '16th–20th centuries', 'Modern history', 'Geography', 'Climate', 'Government', 'Demographics', 'Signs and symptoms', 'Causes', 'Medications', 'Infections', 'Pathophysiology', 'T-cell receptors', 'ADME', 'Diagnosis', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'History', 'Concepts of science and religion', 'Middle Ages and Renaissance', 'Modern period', 'Perspectives', 'Incompatibility', 'Criticism', 'Saks–34th Street', 'Beverly Hills', 'Gallery', 'References'], ['Themes', 'Hallmarks', 'Opening sequence', 'Halloween episodes', 'Humor', 'Foreshadowing of actual events', 'Influence and legacy', 'Idioms', 'Television', 'Reception and achievements', 'Pronunciation and spelling', 'Community', 'Extensions', 'See also', 'Notes', 'References', 'Sources'], ['Caicos Islands', 'Climate', 'Politics', 'Administrative divisions', 'Judiciary', 'Military', 'Population', 'Demographics', 'Vital statistics', 'Population breakdown', 'Biography', "Sturgeon's Law", 'Life and family', 'Novels', 'Novelizations', 'Pseudonymous novels', 'Establishing the Order of Interbeing', 'Return to Vietnam', 'Other', 'Health', 'Approach', 'Names applied to him', 'Relations with Vietnamese governments', 'Awards and honors', 'Writings', 'See also', 'History', 'Formation and Opiate (1989–1992)', 'Undertow (1993–1994)', 'Symbol and abbreviations', 'Origin and spelling', 'Conversions', 'Early life', 'Career', 'Selected filmography', 'Film', 'Post-war developments', 'Climate', 'Sights', 'Tours Cathedral', 'Other points of interest', 'Language', 'City', 'Population', 'Transportation', 'Education', 'Publication', 'University support', 'Housing', 'Disability resources', 'Athletics', 'Husky Stadium', 'Mascot', 'School songs', 'Notable alumni and faculty', 'In film', 'References', 'Further reading'], ['Lectures', 'Student life', 'Student research', 'International students and opportunities', 'Housing', 'Sport', 'Campus media', 'Notable people', 'Notable alumni', 'Notable staff', 'References', 'Health effects', 'Inequality of tree canopy cover', 'Impact on nearby water bodies', 'Impact on energy usage', 'Mitigation', 'Mitigation policies, measures and other strategies', 'California legislation', 'Implementation of policies', 'AB32 and urban heat islands', 'EPA Compendium of Strategies', 'Definitions and types', 'Culinary uses', 'Production', 'At birth', 'Housing', 'Feeding', 'Special services', 'Cityscape', 'Urbanism and architecture', 'Crypts', 'Housing', 'Demographics', 'Historic ethnic makeup', 'Economy', 'Science and research', 'Information technology']]



['Wikipedia: Robben Island', 'Wikipedia: Spanish proverbs', 'Wikipedia: Star Frontiers', 'Wikipedia: Spanish–American War', 'Wikipedia: Snowy Mountains', 'Wikipedia: Seymour Cray', 'Wikipedia: The Big Test', 'Wikipedia: The Troubles', 'Wikipedia: TrueType', 'Wikipedia: The Monkees', 'Wikipedia: Ultrasound', 'Wikipedia: Up']
[['Canonizations and beatifications', 'Uppsala University', 'Death', 'Cardinals', 'Portrayals', 'See also', 'Notes', 'References', 'Further reading', 'Robin Olds', 'John H. Ross', 'Antoine de Saint-Exupéry', 'Clay Tice', 'Adrian Warburton', 'Specifications (P-38L)', 'Popular culture', 'Notable appearances in media', 'Documentaries', 'See also', 'Additional remarks: duality', 'Symmetry groups', 'Lagrangian', 'Fields', 'Dynamics', 'Area law and confinement', 'Methods', 'Perturbative QCD', 'Lattice QCD', 'expansion', 'People', 'Gamemaster', 'Player character', 'Non-player character', 'See also', 'Notes', 'References'], ['India', 'Europe', 'Russia', 'North America', 'United States', 'See also', 'References', 'Notes'], ['Roman systems', 'Laws and traditions', 'Types', 'Viae publicae, consulares, praetoriae and militares', 'Viae privatae, rusticae, glareae and agrariae', 'Viae vicinales', 'Governance and financing', 'Costs and civic responsibilities', 'Official bodies', 'Changes under Augustus', 'Human usage', 'References'], ['Media', 'Manga', 'Anime series', 'Films and original video animations', 'Video games', 'Live action special', 'Other media', 'Reception', 'References'], ['Proofs', 'First proof', "Proof using Gauss' lemma", 'Examples', 'First', 'Second', 'Third', 'See also', 'Notes', 'References', 'History', 'Prehistoric periods', 'Europe', 'Ancient Near East', 'Ancient Egypt', 'Ancient Greece', 'Classical', 'Hellenistic', 'Europe after the Greeks', 'Roman sculpture', 'Galactic context', 'Neighbourhood', 'Comparison with extrasolar systems', 'Visual summary', 'See also', 'Notes', 'References'], ['SS in World War II', 'Invasion of Poland', 'Battle of France', 'Campaign in the Balkans', 'War in the east', 'The Holocaust', 'Anti-partisan operations', 'Death camps', 'Business empire', 'Military reversals', 'Age structure', 'Median age', 'Urbanization', 'Sex ratio', 'Infant mortality rate', 'See also', 'References'], ['See also', 'References'], ['College', 'See also', 'References'], ['History and development', 'Regional terms', 'United Kingdom and Commonwealth of Nations', 'India', 'Europe', 'North America and the United States', 'Africa', 'Ownership and operation', 'Components of most schools', 'Education facilities in low-income countries', 'References'], ['Historical background', 'Tourism', 'Buildings of the Greek period', 'Buildings of the Christian period', 'Other notable buildings', 'Famous people', 'Sports', 'See also', 'Notes', 'References', 'Further reading', 'Pathology', 'Classification', 'Prevention', 'Treatment', 'Prognosis', 'Epidemiology', 'History', 'Notable cases', 'Research', 'References', 'History', 'Skiing', 'Snowy Mountains Scheme', 'Geography', 'Climate', 'Glacial lakes', 'Early life', 'Career', 'Engineering Research Associates', 'Control Data Corporation', "CDC's Chippewa Falls laboratory", 'Cray Research', 'Conflict thesis', 'Independence', 'Parallels in method', 'Dialogue', 'Integration', 'Individual religions \xa0', "Bahá'í Faith", 'Buddhism', 'Intersection in China', 'Christianity', 'Naval construction history', 'World War II', 'Marine Corps, Seabees outside the NCF', 'Naval Combat Demolition Units (NCDU)s, Seabees outside the NCF', 'Underwater Demolition Teams (UDT)s, Seabees outside the NCF', 'African American Service: the Seabee stevedores', 'Seabee North Slope Oil Exploration 1944', 'WWII Cold War interlude – Siberia, China', 'Early success', 'Run length achievements', 'Awards and honors', 'Controversy', 'Ban', 'Perceived decline in quality', 'Race controversy', 'Other media', 'Comic books', 'See also', 'References', 'Language', 'Religion', 'Culture', 'Citizenship', 'Education', 'Health system', 'Economy', 'Tourism', 'Biodiversity', 'Transportation', 'Short stories', "Collections published during Sturgeon's lifetime", 'Complete short stories', 'Representative short stories', 'Autobiography', 'See also', 'References', 'Sources'], ['References'], ['Overview', 'Ænima and Salival (1995–2000)', 'Lateralus (2001–2005)', '10,000 Days (2006–2009)', 'Fear Inoculum (2012–present)', 'Musical style and influences', 'Musical style', 'Influences', 'Visual arts', 'Music videos', 'Album artwork', 'Derived units', 'Alternative usage', 'Unit of force', 'See also', 'Notes and references'], ['Television', 'Video games', 'Non-acting work', 'References', 'Further reading'], ['Sport', 'Catholics from Tours', 'Notable natives and residents', '11th-18th century', '19th century', '20th century', 'Twin towns — sister cities', 'Gallery', 'See also', 'References', 'See also', 'References'], ['Description', 'Exploration', 'Navigation', 'National Reserve', 'References'], [], ['Arts and entertainment', 'Film', 'Incentives', 'Weatherization', 'Outreach and education', 'Tree protection ordinances', 'Co-benefits of mitigation strategies', 'Trees and gardens aid mental health', 'Tree planting as community building', 'Green roofs as food production', 'Green roofs and wildlife biodiversity', 'Urban forests and a cleaner atmosphere', 'Health', 'Animal welfare', 'Restricted space', 'Abnormal gut development', 'Abnormal behaviours', 'Increased disease susceptibility', 'Veal crates', 'Cruelty to calves', 'Drug use', 'Crate bans', 'Finance and banking', 'Education', 'Tertiary education', 'Primary and secondary education', 'Libraries', 'Religion', 'Pilgrimage', 'Parks, squares and cemeteries', 'Tourism', 'Hotels']]



['Wikipedia: Queue (abstract data type)', 'Wikipedia: Ring', 'Wikipedia: Regular expression', 'Wikipedia: Real-time operating system', 'Wikipedia: Rosetta Stone', 'Wikipedia: Economy of Slovenia', 'Wikipedia: Structuralism', 'Wikipedia: Sontaran', 'Wikipedia: Skara Brae', 'Wikipedia: Signature block', 'Wikipedia: Television (band)', 'Wikipedia: Telecommunications in the Turks and Caicos Islands', 'Wikipedia: The Little Bears', 'Wikipedia: The Six Million Dollar Man', 'Wikipedia: Ur', 'Wikipedia: UMTS', 'Wikipedia: Viola']
[['United States construction of the Panama canal, 1904–1914', 'Goethals replaces Stevens as chief engineer', 'Later developments', 'Canal', 'Layout', 'Navigation', 'Gatun Lake', 'Lock size', 'Tolls', 'Issues leading to expansion', 'Etymology', 'Act of prayer', 'Origins and early history', 'Approaches to prayer', 'Direct petitions', 'Educational approach', 'Rationalist approach', 'Experiential approach', 'Queue implementation', 'Queues and programming languages', 'Examples', 'Purely functional implementation', 'Real-time queue', 'References', 'Bibliography'], ['See also', 'References'], ['Milestones and markers', 'Itinerary maps and charts', 'Vehicles and transportation', 'Way stations and traveler inns', 'Post offices and services', 'Locations', 'Italian areas', 'Other areas', 'See also', 'References', 'Characteristics', 'Design philosophies', 'Scheduling', 'Fleet', 'Current ships', 'Aviation', 'Fleet Air Arm', 'LADS Flight', 'Gallery', 'Clearance Diving Branch', 'Future', 'Current operations', 'Personnel', 'Round Table tournaments', 'Winchester Round Table', "Edward III's new Round Table", 'References', 'Bibliography'], ['Japan', 'India', 'South-East Asia', 'Islam', 'Africa', 'Ethiopia and Eritrea', 'Sudan', 'The Americas', 'Pre-Columbian', 'Moving toward modern art', 'Přídolí', 'Regional stages', 'Paleogeography', 'Climate and sea level', 'Perturbations', 'Flora and fauna', 'Notes', 'References'], ['Ahnenerbe', 'SS-Frauenkorps', 'SS-Mannschaften', 'Foreign legions and volunteers', 'Ranks and uniforms', 'SS membership estimates 1925–45', 'SS offices', 'Austrian SS', 'Post-war activity and aftermath', 'International Military Tribunal at Nuremberg', 'Administrative divisions', 'International organization participation', 'References'], ['Early life and career', 'Personal life', 'Death', 'Legacy', 'Filmography', 'References', 'Sources'], ['History and background', 'Saussure', 'Lévi-Strauss', 'Appearances', 'Television', 'Games', 'Philippines', 'Guam', 'Caribbean theater', 'Cuba', 'Cuban sentiment', 'Land campaign', 'Battle of Tayacoba', 'Naval operations', 'US withdrawal', 'Puerto Rico', 'Comparison of algorithms', 'Comparison sorts', 'Non-comparison sorts', 'Others', 'Popular sorting algorithms', 'Simple sorts', 'Insertion sort', 'Selection sort', 'Efficient sorts', 'Merge sort', 'Converting grams to moles', 'Molar proportion', 'Determining amount of product', 'Further examples', 'Stoichiometric ratio', 'Limiting reagent and percent yield', 'Example', 'Different stoichiometries in competing reactions', 'Stoichiometric coefficient', 'Stoichiometry matrix', 'Discovery and early exploration', 'Neolithic lifestyle', 'Dating and abandonment', 'Artefacts', 'Related sites in Orkney', 'World Heritage status', 'Email and Usenet', 'Email Signature Generator', 'Signatures in Usenet postings', '--=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=-=', 'Email signatures in business', 'Scientists', 'United States', 'Other countries', 'General public', 'Europe', 'See also', 'References', 'Notes', 'Further reading'], ['Iraq, Afghanistan, and the War on Terror', 'Disaster Relief and Recovery', 'Naval Construction Force (NCF)', 'Seabees outside the NCF', 'Combat Service Support Detachments (CSSD) / Naval Special Warfare (NSW)', 'Training and Rates', 'The "Seabee" and CB unit insignias', 'Seabee Combat Warfare Insignia and Peltier Award', 'Seabee barge carriers', 'Museums', 'Further reading'], ['History', 'Musicology and ethnomusicology', 'Sociology', 'Philosophy', 'In political and religious discourse', 'In artistic discourse', 'Relationship to other concepts', 'Preservation', 'Traditional cultural expressions', 'See also', 'References', 'Telephone', 'Radio', 'Television', 'Other versions', 'See also', 'References'], ['Bloody Sunday', 'Sunningdale Agreement and UWC strike', 'Proposal of an independent Northern Ireland', 'Mid-1970s', 'Late 1970s', '1980s', '1990s', 'Escalation in South Armagh', 'Downing Street mortar attack', 'First ceasefire', 'Plot', 'Original series', 'Television movie reunions', 'Cast', 'Production', 'Hinting language', 'Embedding protection', 'Font formats', 'TrueType Collection', 'Emoji', 'File formats', 'Basic', 'Suitcase', 'PostScript', 'See also', 'The Birds, The Bees & The Monkees', 'Beyond television', 'Head', "Early 1969: Tork's resignation, Instant Replay and The Monkees Present", "April 1970: Nesmith's resignation and Changes", 'Reunions and revivals', 'Dolenz, Jones, Boyce & Hart', 'MTV and Nickelodeon reignite Monkeemania', 'New Monkees', '1990s reunions', 'Music', 'Television', 'Other entertainment', 'Companies and organizations', 'Technology', 'People', 'Other uses', 'See also', 'Ultrasound Identification (USID)', 'Imaging', 'Acoustic microscopy', 'Human medicine', 'Veterinary medicine', 'Processing and power', 'Physical therapy', 'Biomedical applications', 'Ultrasonic impact treatment', 'Processing', 'System notes', 'Ridership notes', 'References', 'System references', 'Ridership references', 'Under construction system references', 'Sources', 'Bibliography', 'Online resources'], ['Science, technology, and mathematics', 'Other uses', 'See also', 'Features', 'Air interfaces', 'W-CDMA (UTRA-FDD)', 'Development', 'Terminology', 'Manufacture', 'Manuscripts', 'Preparing manuscripts', 'Usage', 'Modern usage', 'Paper vellum', 'References', 'Bibliography'], []]



['Wikipedia: Quake (video game)', 'Wikipedia: Railway (disambiguation)', 'Wikipedia: Siege', 'Wikipedia: Telecommunications in Slovenia', 'Wikipedia: Summer Olympic Games', 'Wikipedia: Outline of statistics', 'Wikipedia: Semantics', 'Wikipedia: Stephen Sondheim', 'Wikipedia: The Boston Globe', 'Wikipedia: Tuvalu', 'Wikipedia: Týr', 'Wikipedia: Triassic–Jurassic extinction event', 'Wikipedia: Typhoid fever', 'Wikipedia: United Nations Security Council', 'Wikipedia: Vinyl group']
[['Efficiency and maintenance', 'Capacity', 'Competition', 'Water issues', 'Third set of locks project (expansion)', 'Competitive projects', 'Nicaragua canal', 'Colombia rail link', 'Other projects', 'Panama Canal Honorary Pilots', 'Abrahamic religions', 'Hebrew Bible', 'New Testament', 'Judaism', 'Kabbalistic approach', 'Christianity', 'Pentecostalism', 'Christian Science', 'Islam', "Bahá'í", 'Amortized queue', 'See also', 'References', 'Further reading'], ['Sounds', 'Places', 'People', 'Arts, entertainment, and media', 'Films', 'Gaming', 'Literature', 'Music', 'Albums', 'Songs', 'Patterns', 'History', 'Basic concepts', 'Formal language theory', 'Formal definition', 'Expressive power and compactness', 'Deciding equivalence of regular expressions', 'Syntax', 'Delimiters', 'Standards', 'Footnotes', 'General information', 'Primary sources', 'Further reading'], ['Algorithms', 'Intertask communication and resource sharing', 'Temporarily masking/disabling interrupts', 'Mutexes', 'Message passing', 'Interrupt handlers and the scheduler', 'Memory allocation', 'See also', 'References', 'Ranks and uniforms', 'Commissioned officers', 'Chaplain', 'Other ranks', 'Special insignia', 'See also', 'References', 'Notes', 'Bibliography'], ['Description', 'Original stele', 'Memphis decree and its context', 'Rediscovery', 'From French to British possession', 'Reading the Rosetta Stone', 'Greek text', 'North America', '19th–early 20th century, early Modernism and continuing realism', 'Modernism', 'Gallery of modernist sculpture', 'Contemporary movements', 'Minimalism', 'Postminimalism', 'Contemporary genres', 'Conservation', 'See also', 'Ancient period', 'The necessity of city walls', 'Archaeological evidence', 'Depictions', 'Escapes', 'See also', 'Informational notes', 'Citations', 'Bibliography', 'Further reading'], ['History', 'Trade', 'Economic performance', 'See also', 'References', 'Articles and essays', 'Media portrayals', 'Hosting', 'Lacan and Piaget', "'Third order'", 'Althusser', 'Assiter', 'In linguistics', 'Prague School', 'In anthropology', 'In literary criticism and theory', 'See also', 'References', 'Other appearances', 'Comic books', 'Characteristics', 'Culture', 'Reproduction and gender identity', 'Technology', 'Notes', 'References'], ["Cámara's squadron", 'Making peace', 'Aftermath', 'Postwar American investment in Puerto Rico', 'In film and television', 'Military decorations', 'United States', 'Wartime service and honors', 'Postwar occupation service', 'Spain', 'Heapsort', 'Quicksort', 'Shellsort', 'Bubble sort and variants', 'Bubble sort', 'Comb sort', 'Distribution sort', 'Counting sort', 'Bucket sort', 'Radix sort', 'Gas stoichiometry', 'Stoichiometric air-to-fuel ratios of common fuels', 'See Also', 'References'], ['Risk from climate change', 'In popular culture', 'See also', 'Notes', 'References', 'Bibliography'], ['Standard delimiter', 'Internet forums', 'FidoNet', 'See also', 'Notes and references'], ['Early years', 'Career', 'Mentorship by Oscar Hammerstein II', 'Notable Seabees', 'See also', 'Notes', 'References', 'General sources', 'Further reading'], ['Early history and formation', 'Departure of Richard Hell and debut release', 'Marquee Moon, Adventure and break-up (1977–78)', 'Reformation (1992–present)', 'Musical style and influences', 'Members', 'Discography', 'Filmography', 'References', 'Bibliography', 'Citations', 'Works cited', 'Further reading'], ['Internet', 'History', 'Prehistory', 'History', 'References', 'Second ceasefire', 'Political process', 'Collusion between security forces and paramilitaries', 'The Disappeared', 'Shoot-to-kill allegations', 'Parades issue', 'Social repercussions', 'Casualties', 'Responsibility', 'Status', 'Opening sequence', 'Theme music', "Steve Austin's bionics", 'Episodes', 'Novels', 'Original novels', 'Novelizations', 'Other adaptations', 'Comics', 'Audiobooks', 'References'], ['Effects', '2000s reunions', '2010–2011 reunions', 'Death of Jones and reunion with Nesmith', 'Good Times! and 50th anniversary: 2015–2017', "Christmas Party, The Monkees Present: The Mike and Micky Show, and Tork's death (2017–present)", 'Controversies', 'Studio recordings controversy', 'Timeline for the studio recordings controversy', 'Meeting with the Beatles', 'Rock and Roll Hall of Fame', 'Signs and symptoms', 'Causes', 'Bacteria', 'Transmission', 'Diagnosis', 'Ultrasonic manipulation and characterization of particles', 'Ultrasonic cleaning', 'Ultrasonic disintegration', 'Ultrasonic humidifier', 'Ultrasonic welding', 'Sonochemistry', 'Weapons', 'Wireless communication', 'Other uses', 'Safety', 'History', 'Background and creation', 'Cold War', 'Layout', 'Society and culture', 'Music', 'History', 'Prehistory', 'Sumerian occupation of the 4th millennium', 'Third millennium BC (Early Bronze Age)', 'Ur III', 'Later Bronze Age', 'Iron Age', 'Rationale for W-CDMA', 'Deployment', 'UTRA-TDD', 'TD-CDMA (UTRA-TDD 3.84 Mcps High Chip Rate (HCR))', 'TD-SCDMA (UTRA-TDD 1.28 Mcps Low Chip Rate (LCR))', 'Objectives', 'Technical highlights', 'History', 'Frequency bands & Deployments', 'Unlicensed UMTS-TDD', 'Preservation', 'See also', 'Notes', 'References'], ['Form', 'Method of playing', 'Tuning', 'Organizations and research', 'Music', 'Reading music', 'Role in pre-twentieth century works', 'Twentieth century and beyond', 'Contemporary pop music', 'Pop music featuring the viola']]



['Wikipedia: Political fiction', 'Wikipedia: Roberto Clemente', 'Wikipedia: The Righteous Brothers', 'Wikipedia: Royal Australian Air Force', 'Wikipedia: Slashdot', 'Wikipedia: New Wave science fiction', 'Wikipedia: Systems engineering', 'Wikipedia: Skateboarding', 'Wikipedia: Syracuse, New York', 'Wikipedia: Sinners in the Hands of an Angry God', 'Wikipedia: Skyscraper', 'Wikipedia: Television channel', 'Wikipedia: Unit']
[['See also', 'References', 'Further reading', 'Construction and technical issues', 'Diplomatic and political history'], ['Eastern religions', 'Buddhism', 'Hinduism', 'Sikhism', 'New religious movements', 'Prayer healing', 'Efficacy of prayer healing', 'Efficacy of prayer for fertility', 'Prevalence of prayer for health', 'See also', 'Gameplay', 'Multiplayer', 'Plot', 'Development', 'Music and sound design', 'Ports', 'Mods and add-ons', 'Reception', 'Other', 'Other uses in arts, entertainment, and media', 'Mathematics', 'Science and technology', 'Chemistry', 'Computing', 'Other uses in science and technology', 'Sports', 'Organization types', 'Other uses', 'POSIX basic and extended', 'POSIX extended', 'Character classes', 'Perl and PCRE', 'Lazy matching', 'Possessive matching', 'Patterns for non-regular languages', 'Implementations and running times', 'Unicode', 'Uses', 'Arts', 'Hotels, pubs and clubs', 'Sports', 'See also', 'Music career', '1962–1964: Beginning', '1964–1965: The Spector years', '1966–1967: Verve Records', 'History', 'Formation, 1912', 'First World War', 'Demotic text', 'Hieroglyphic text', 'Later work', 'Rivalries', 'Requests for repatriation to Egypt', 'Idiomatic use', 'See also', 'References', 'Timeline of early publications about the Rosetta Stone', 'Notes', 'Notes', 'References'], ['Tactics', 'Offensive', 'Defensive', 'Siege accounts', 'Classical antiquity', 'Medieval period', "Arabia during Muhammad's era", 'Mongols and Chinese', 'Age of gunpowder', 'Emerging theories', 'Origins and Use of the Term', 'Origins', 'Differences between American and British New Waves', 'Subsequent usage', 'Description', 'Format', 'Telephone', 'Radio', 'Television', 'Internet', 'See also', 'History', 'Early years', 'Interwar era', 'After World War II', 'End of the 20th century', 'Start of the 21st century', 'Sports', 'Qualification', 'Popularity of Olympic sports', 'All-time medal table', 'Further reading', 'Primary sources', 'History', 'History', '1940s–1960s', '1970s', '1980s', 'Other countries', 'See also', 'Notes', 'Footnotes', 'Source citations', 'References', 'Further reading'], ['Media', 'Reference materials', 'Memory usage patterns and index sorting', 'Related algorithms', 'See also', 'References', 'Further reading'], ['Nature of statistics', 'History of statistics', 'Describing data', 'Experiments and surveys', 'Sampling', 'Analysing data', 'Filtering data', 'Statistical inference', 'Doctrine', 'Purpose', 'Application', 'Effect and legacy', 'See also', 'Notes', 'Linguistics', 'Theories in linguistic semantics', 'Formal semantics', 'Truth-conditional semantics', 'Conceptual semantics', 'Cognitive semantics', 'Lexical semantics', 'College and early career', 'Early Broadway success', "Hammerstein's death", 'As composer and lyricist', 'Broadway failures and other projects', 'Collaborations with Hal Prince (1970–1981)', 'Collaborations with James Lapine (1984–1994)', 'Later work', 'Forthcoming projects', 'Conversations with Frank Rich and others', 'Definition', 'Early skyscrapers', 'Modern skyscrapers', 'Design and construction', 'Basic design considerations', 'Loading and vibration'], ['Other meanings', 'Television station', 'History', '2018 death threats', 'Editorial page', 'Magazine', 'Contributors', 'Regular features', 'Bostonian of the Year', 'Pulitzer Prizes', 'Publishers', 'Early contacts with other cultures', 'Trading firms and traders', 'Scientific expeditions and travellers', 'Colonial administration', 'Second World War', 'Post-World War II – transition to independence', 'Government', 'Parliamentary democracy', 'Legal system', 'Foreign relations', 'Name and T-rune', 'Attestations', 'Roman era', 'Viking Age and post-Viking Age', 'Poetic Edda', 'Prose Edda', 'Archaeological record', 'Scholarly reception', 'Notes', 'References', 'Location', 'Chronological listing', 'Additional statistics', 'See also', 'In popular culture', 'Similar wars', 'Notes', 'References', 'Further reading'], ['Film', 'Cultural influence', 'Award', 'Home media', 'See also', 'Footnotes', 'References'], ['Marine invertebrates', 'Marine vertebrates', 'Terrestrial vertebrates', 'Possible causes', 'Gradual processes', 'Extraterrestrial impact', 'Volcanic eruptions', 'References', 'Literature'], ['Originally unreleased recordings', 'Band members', 'Timeline', 'Impact and legacy', 'In popular culture', 'Notable achievements', 'Discography', 'Tours', 'Related non-Monkees tours', 'Comic books', 'Widal test', 'Rapid diagnostic tests', 'Typhidot', 'Tubex test', 'Prevention', 'Vaccination', 'Treatment', 'Oral rehydration therapy', 'Antibiotics', 'Surgery', 'See also', 'References', 'Further reading'], ['Post-Cold War', 'Role', 'Members', 'Permanent members', 'Veto power', 'Non-permanent members', 'President', 'Meeting locations', 'Consultation room', 'Subsidiary organs/bodies', 'Identification with biblical Ur', 'Archaeology', 'Archaeological remains', 'Preservation', 'Tal Abu Tbeirah', 'See also', 'Notes', 'References'], ['Comparison with UMTS-FDD', 'Competing standards', 'Radio access network', 'Core network', 'Frequency bands and channel bandwidths', 'UARFCN', 'Spectrum allocation', 'Interoperability and global roaming', 'Handsets and modems', 'Other competing standards', 'Vinyl polymers', 'Reactivity', 'Etymology', 'See also', 'References', 'In folk music', 'Performers', 'Electric violas', 'Audio examples', 'See also', 'Notes', 'References', 'Bibliography'], []]



['Wikipedia: Punjabi language', 'Wikipedia: Miniature', 'Wikipedia: Red Dwarf', 'Wikipedia: Redshirt (stock character)', 'Wikipedia: Transport in Slovenia', 'Wikipedia: Shareware', 'Wikipedia: Scurvy', 'Wikipedia: Scottish Highlands', 'Wikipedia: The Goon Show', 'Wikipedia: Trajan', 'Wikipedia: Theoretical ecology', 'Wikipedia: Tory', 'Wikipedia: Tufted puffin', 'Wikipedia: Thermobaric weapon', 'Wikipedia: Urho Kekkonen', 'Wikipedia: V', 'Wikipedia: Vegetarian cuisine']
[['Political satire', '16th century', '18th century', '19th-century novel', '20th-century novel', 'Proletarian novel', 'Social novel', 'Notes', 'References'], ['Sales', 'Critical reviews', 'Speedruns', 'Legacy', 'Expansions and ports', 'Quake Mission Pack No. 1: Scourge of Armagon', 'Quake Mission Pack No. 2: Dissolution of Eternity', 'VQuake', 'QuakeWorld', 'GLQuake', 'See also', 'Entertainment', 'Examples', 'Induction', 'See also', 'Notes', 'References'], ['Early years', 'Puerto Rican baseball (1952–1954)', 'Minor league baseball (1954)', 'Major League Baseball (1955–1972)', 'Pittsburgh Pirates, 1950s', 'Pittsburgh Pirates, 1960s', 'Pittsburgh Pirates, 1970s', '1968–1975: Break up and reunion', '1976–2003: Later career and solo works', "Hatfield's death", '2016: The Righteous Brothers revived', 'Awards and nominations', 'Members', 'Timeline', 'Discography', 'Albums', 'Compilation albums', 'Inter-war period', 'Second World War', 'Europe and the Mediterranean', 'Pacific War', 'Service since 1945', 'Women in the RAAF', 'Ranks and uniform', 'Roundel', 'Badge', 'Current strength', 'Bibliography'], ['Origin', 'History', '1990s', '2000s', '2010s', 'Administration', 'Team', 'Software', 'Peer moderation', 'Features', 'Tags', 'New fortresses', 'Marshal Vauban and Van Coehoorn', 'Siege warfare', 'Strategic concepts', 'Industrial advances', 'Modern warfare', 'First World War', 'Second World War', 'Airbridge', 'Post-Second World War', 'Topics', 'Style', 'History', 'Influences and predecessors', 'Movement', 'Decline', 'Impact', 'Criticisms', 'Authors and works', 'See also', 'Railways', 'Roads', 'Highways', 'Bus transport', 'Pipelines', 'Most successful nations', 'Medal leaders by year', 'List of Summer Olympic Games', 'See also', 'References'], ['Concept', 'Origins and traditional scope', 'Evolution to broader scope', 'Holistic view', 'Interdisciplinary field', 'Managing complexity', 'Scope', 'Education', 'Systems engineering topics', 'System', '1990s', '2000–present', 'Trick skating', 'Culture', 'Skate shoe', 'Skateboard deck', 'High value and collectible skateboards', 'Safety', 'Other uses and styles', 'Transportation', 'Newspapers', 'Signs and symptoms', 'Cause', 'History', 'Geography and climate', 'Geography', 'Climate', 'Demographics', 'Religion', 'Economy', 'Probability distributions', 'Random variables', 'Probability theory', 'Computational statistics', 'Statistics software', 'Statistics organizations', 'Statistics publications', 'Persons influential in the field of statistics', 'See also', 'References'], ['History', 'Cross-cultural semantics', 'Computational semantics', 'Philosophy', 'History of philosophical semantics', 'Montague grammar', 'Metasemantics', 'Computer science', 'Programming languages', 'Semantic models', 'Psychology', 'Work away from Broadway', 'Unfinished and canceled works', 'Books', 'Mentoring', 'Dramatists Guild', 'Major works', 'Film and TV adaptations', 'Other works', 'Awards and nominations', 'Honors', 'Steel frame', 'Tube structural systems', 'Trussed tube and X-bracing', 'Bundled tube', 'The elevator conundrum', 'Economic rationale', 'Environmental impact', 'History of the tallest skyscrapers', 'Gallery', 'Future developments', 'Non-terrestrial television channels', 'See also', 'References'], ['Present', 'Past', 'Reporter fabrications and plagiarism', 'Other controversies', 'Websites', 'Digital subscriptions', 'Crux', 'Stat', 'Globe Grant (charity program)', 'Top five non-profit donations (2016)', 'Defence and law enforcement', 'Administrative divisions', 'Society', 'Demographics', 'Languages', 'Religion', 'Health', 'Education', 'Culture', 'Architecture'], ['Sources', 'Early life and rise to power', 'Modelling approaches', 'Population ecology', 'Exponential growth', 'History', 'Canada', 'Great Britain', 'United States', 'Texas Revolution', 'Description', 'Taxonomy', 'Distribution and habitat', 'Biopic', 'Musical', 'See also', 'References', 'Further reading'], ['Resistance', 'Epidemiology', 'History', 'Spread', 'Organism involved', 'Vaccine', 'Chlorination of water', '20th century', 'Terminology', 'Notable cases', 'Arts and entertainment', 'Music', 'Television', 'Business', 'Science and technology', 'Science and medicine', 'Computing', 'Mathematics', 'Military', 'United Nations peacekeepers', 'Criticism and evaluations', 'Membership reform', 'See also', 'Notes', 'References', 'Citations', 'Sources', 'Further reading'], ['Biography', 'Early life', 'Early political career', 'President of Finland', 'Migrating from GSM/GPRS to UMTS', 'Problems and issues', 'Security issues', 'Releases', "Release '99", 'Release 4', 'Release 5', 'Release 6', 'Release 7', 'Release 8', 'Letter', 'Name in other languages', 'Pronunciation and use', 'Other systems', 'Related characters', 'Descendants and related letters in the Latin alphabet', 'Commonly used vegetarian foods', 'Traditional vegetarian cuisine', 'National cuisines', 'Desserts and sweets']]



['Wikipedia: Potato chip', 'Wikipedia: Richard Petty', 'Wikipedia: Rajiv Gandhi', 'Wikipedia: Receptor', 'Wikipedia: South Australia', 'Wikipedia: Semantic dispute', 'Wikipedia: Administrative division', 'Wikipedia: Outline of sociology', 'Wikipedia: Sagas of Icelanders', 'Wikipedia: T', 'Wikipedia: Toronto Transit Commission', 'Wikipedia: Time (magazine)', 'Wikipedia: Uyghurs', 'Wikipedia: United Nations General Assembly', 'Wikipedia: Vincent van Gogh']
[['Notable examples', 'Science fiction', 'See also', 'Notes', 'History', 'Etymology', 'Origin', 'Arabic and Persian influence on Punjabi', 'Modern times', 'Geographic distribution', 'Pakistan', 'India', 'Punjabi diaspora', 'Major dialects', 'WinQuake', 'Dimension of the Past', 'Sequels', 'Vulkan rendering API', 'See also', 'Notes', 'References'], ['Racing career', 'The 1960s', 'The 1970s', 'Twilight years (1980–1991)', 'Setting and plot', 'Characters and actors', 'Production', 'Concept and commission', 'Casting', 'Writing, producing and directing', 'Theme song and music', '3000th hit', 'Personal life', 'Charity work and death', 'Hall of Fame', 'MLB awards and achievements', 'Awards', 'Achievements', 'Roberto Clemente Award', 'National awards', 'Other honors and awards', 'Singles', 'References'], ['Personnel', 'Aircraft', 'Current inventory', 'Armament', 'Current flying squadrons', 'Non-flying squadrons', 'Wings', 'Force Element Groups', 'Headquarters', 'Roulettes', 'Usage', 'See also', 'References'], ['Culture', 'Traffic and publicity', 'See also', 'References'], ['Police activity', 'See also', 'Notes', 'References', 'Further reading'], [], ['Notes', 'References', 'Further reading', 'Ports and harbours', 'Airports', 'Airports - with paved runways', 'Airports - with unpaved runways', 'References'], ['See also', 'Types of shareware', 'Adware', 'Crippleware', 'Trialware', 'Donationware', 'Nagware', 'Freemium', 'Systems engineering processes', 'Using models', 'Modeling formalisms and graphical representations', 'Other tools', 'Related fields and sub-fields', 'See also', 'References', 'Further reading'], ['Military', 'Trampboarding', 'Swing boarding', 'Controversy', 'See also', 'Notes', 'References'], ['Pathogenesis', 'Diagnosis', 'Differential diagnosis', 'Prevention', 'Treatment', 'History', 'Early modern era', '18th century', '19th century', '20th century', 'Top employers', 'Tallest buildings', 'Neighborhoods', 'Business districts', 'Education', 'Primary and secondary schools', 'Colleges and universities', 'Public libraries', 'Arts and culture', 'Performing arts', 'Nature of sociology', 'Essence of sociology', 'Branches of sociology', 'Multidisciplinary and interdisciplinary fields involving sociology', 'Culture', 'Economy', 'Whisky production', 'Religion', 'Historical geography', 'Highland Council area', 'Highlands and Islands', 'Historical crossings', 'Courier delivery', 'Geology', 'Semantic memory', 'Ideasthesia', 'Psychosemantics', 'Prototype theory', 'See also', 'Linguistics and semiotics', 'Logic, mathematics and philosophy', 'Notes', 'References'], ['Sondheim at 80', 'Sondheim at 90', 'Legacy', 'Musical style', 'Personal life', 'References', 'Notes', 'Sources', 'Further reading'], ['Wooden skyscrapers', 'See also', 'Notes', 'References', 'Further reading'], ['Background', 'Format', 'Surrealism', 'Music and sound effects', 'Cast members and characters', 'Episodes and archiving', 'Running jokes', 'Lurgi', 'Brandyyy!', 'See also', 'References'], ['Art of Tuvalu', 'Dance and music', 'Cuisine', 'Heritage', 'Traditional single-outrigger canoe', 'Sport and leisure', 'Economy and government services', 'Economy', 'Tourism', 'Telecommunications and media', 'Roman Emperor', 'The Correctores: Greek/Roman relations', 'Conquest of Dacia', 'Annexation of Nabataea', 'Devaluation of the currency', 'The alimenta', 'War against Parthia', 'Rationale for the war', 'Course of the campaign', 'Kitos war', 'Logistic growth', 'Structured population growth', 'Community ecology', 'Predator–prey interaction', 'Host–pathogen interaction', 'Host–parasitoid interaction', 'Competition and mutualism', 'Neutral theory', 'Spatial ecology', 'Biogeography', 'Current usage', 'Modern proponents of Toryism', 'See also', 'References', 'Canada section'], ['Behavior', 'Breeding', 'Diet', 'Predators and threats', 'Relationship with humans', 'Conservation status in Puget Sound', 'References'], ['Terminology', 'Mechanism', 'Fuel–air explosive', 'Effect', 'Development history', 'German developments', 'Soviet and Russian developments', 'See also', 'References', 'Further reading'], ['Other uses', 'See also', 'Name', 'History', 'Membership', 'Agenda', 'Overview', 'First term (1956–62)', 'Second term (1962–68)', 'Third term (1968–78)', 'Term extension (1973)', 'Fourth term (1978–82)', 'Later life', 'Legacy', 'Cabinets', 'Tributes', 'Release 9', 'See also', 'Other, non-UMTS, 3G and 4G standards', 'Other information', 'Notes', 'References', 'Citations', 'Bibliography', 'Documentation'], ['Ancestors and siblings in other alphabets', 'Ligatures and abbreviations', 'Computing codes', 'Other representations', 'See also', 'References'], ['Meat analogues', 'Commercial products', 'See also', 'Notes', 'References'], []]



['Wikipedia: Quantum field theory', 'Wikipedia: Resolution-class submarine', 'Wikipedia: Social engineering', 'Wikipedia: Slovenian Armed Forces', 'Wikipedia: September 4', 'Wikipedia: Speed skating', 'Wikipedia: Semantic network', 'Wikipedia: Self-determination', 'Wikipedia: THX 1138', 'Wikipedia: USS Ticonderoga', 'Wikipedia: Video']
[['History', 'Origin', 'Saratoga Springs legend', 'Production', 'Flavored chips', 'Potato chip bag', 'Kettle-cooked', 'Nomenclature', 'Health concerns', 'Majhi (Standard Punjabi)', 'Shahpuri', 'Malwai', 'Doabi', 'Puadhi', 'Jatki/Jangli/Rachnavi', 'Jhangochi/Jhangvi', 'Chenavari', 'Phonology', 'Tone', 'History', 'Theoretical background', 'Quantum electrodynamics', 'Infinities and renormalization', 'Non-renormalizability', "Petty's last ride (1992)", 'Petty as an owner', 'Petty as a broadcaster', 'Sponsorship', 'Close calls', 'Career awards', 'Life after racing', 'Motorsports career results', 'NASCAR', 'Grand National Series', 'Remastered', 'Hiatus', 'Revival', 'Red Dwarf: Back to Earth', 'Red Dwarf X', 'Red Dwarf XI and XII', 'Red Dwarf: The Promised Land', 'Red Dwarf: The First Three Million Years', 'Themes', 'Hallmarks', 'Honors', 'Halls of fame', 'Accolades', 'Schools', 'Biographies and documentaries', 'Influence on players today', 'Potential canonization', 'See also', 'Notes', 'References', 'Early life and career', 'Entry into politics', 'Participation in active politics', "Indira Gandhi's death", 'Prime Minister of India', 'Cabinet ministers', 'Anti-defection law', 'Shah Bano case', 'Economic policy', 'Foreign policy', 'Future procurement', 'See also', 'Lists', 'Memorials and museums', 'References', 'Citations', 'Bibliography', 'Further reading'], ['All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'History', 'Geography', 'South Australian boundaries', 'Climate', 'Economy', 'Energy', 'Olympic Dam', 'Crown land', 'See also', 'References', 'Examples of administrative divisions', 'English terms', 'List', 'Urban or rural regions', 'Indigenous', 'Non-English terms', 'Comparison', 'See also', 'References', 'History', 'Current status', 'NATO membership', 'Organization', 'Order of Battle', 'Military bases', 'Postcardware', 'History', 'Registration', 'Games', 'Industry standards and technologies', 'See also', 'References'], ['Events', 'Births', 'Deaths', 'Holidays and observances', 'Overview', 'History', 'ISU development', 'Elfstedentocht', 'Olympic Games', '21st century', 'Human trials', 'Evolution', 'Name', 'References', 'Further reading'], ['Museums and art galleries', 'Parks and recreation', 'Infrastructure', 'Transportation', 'Public transit', 'Rail', 'Bus', 'Air service', 'Major highways and roads', 'Public works', 'History of sociology', 'Theoretical perspectives in sociology', 'General sociology concepts', 'Sociologists', 'Sociological publications', 'Sociological associations', 'Academies', 'Related fields', 'See also', 'References', 'Places of interest', 'Gallery', 'See also', 'Notes', 'References', 'Further reading'], ['History', 'Basics of semantic networks', 'Examples', 'History', 'Pre-20th century', 'Origins', 'Historical time frame', 'List of Sagas', 'See also', 'References: English translations', 'References: studies'], ['Rhubarb, rhubarb, rhubarb!', 'Raspberry blowing', '"Trapped in a piano"', 'Other references', 'Films', 'Later revivals', 'Books', 'Stage', 'Radio and television', 'Records', 'History', 'Use in writing systems', 'English', 'Other languages', 'Other systems', 'Related characters', 'Descendants and related characters in the Latin alphabet', 'Ancestors and siblings in other alphabets', 'Derived signs, symbols and abbreviations', 'Computing codes', 'Transport', 'Geography and environment', 'Geography', 'Climate', 'Environmental pressures', 'Water and sanitation', 'Cyclones and king tides', 'Cyclones', 'King tides', 'Impact of climate change', 'Death and succession', 'Building activities', "Trajan's legacy", 'See also', 'References', 'Sources and further reading', 'Primary sources', 'Secondary material'], ['r/K-selection theory', 'Niche theory', 'Metapopulations', 'Ecosystem ecology', 'Food webs', 'Systems ecology', 'Ecophysiology', 'Behavioral ecology', 'Swarm behaviour', 'Evolutionary ecology', 'History', 'Finances', 'Operations', 'Buses', 'Subway', 'Projects under construction', 'Future plans', 'Plot', 'Cast', 'Production', 'Soundtrack', 'Track listing', 'U.S. developments', 'BEAC Spanish thermobaric bomb project', 'History', 'Military use', 'Terrorist use', 'See also', 'References'], ['History', 'Circulation', 'Style', 'Special editions', 'Person of the Year', 'Time 100', 'Red X covers', 'Time for Kids', 'Time LightBox', 'Identity', 'Origin of the modern ethnic concept', 'Population', 'Genetics', 'History', 'Early history', 'Uyghur Khaganate (8th–9th centuries) ===', 'Uyghur kingdoms (9th–11th centuries)===', 'Islamization', 'Qing rule', 'Resolutions', 'Resolution numbering scheme', 'Budget', 'Elections', 'Regional groups', 'Sessions', 'Regular sessions', 'General debate', 'Special sessions', 'Emergency special sessions', 'In popular culture', 'See also', 'Honours', 'National honours', 'Foreign honours', 'References', 'Notes', 'Further reading'], ['All set index articles', 'Articles with short description', 'Set indices on ships', 'History', 'Analog video', 'Digital video', 'Characteristics of video streams', 'Number of frames per second', 'Interlaced vs progressive', 'Letters', 'Life', 'Early years', 'Etten, Drenthe and The Hague', 'Emerging artist', 'Nuenen and Antwerp (1883–1886)', 'Paris (1886–1888)']]



['Wikipedia: Reduction', 'Wikipedia: Score voting', 'Wikipedia: Responsible government', 'Wikipedia: Saint Lawrence Seaway', 'Wikipedia: Service mark', 'Wikipedia: Substance theory', 'Wikipedia: Sam & Max', 'Wikipedia: Sydney Harbour Bridge', 'Wikipedia: Outline of sculpture', 'Wikipedia: Scotch whisky', 'Wikipedia: Staind', 'Wikipedia: Thales of Miletus', 'Wikipedia: Tabitha King', 'Wikipedia: Tabasco sauce', 'Wikipedia: Utrecht (disambiguation)', 'Wikipedia: Uzbeks']
[['Regional varieties', 'Canada', 'Hong Kong', 'Indonesia', 'Ireland', 'Mainland western Europe', 'Colombia', 'Japan', 'United Kingdom', 'United States', 'Grammar', 'Writing systems', 'Sample text', 'Literature development', 'Medieval era, Mughal and Sikh period', 'British Raj era and post-independence period', 'Status', 'In Pakistan', 'In India', 'Advocacy', 'Standard Model', 'Other developments', 'Condensed matter physics', 'Principles', 'Classical fields', 'Canonical quantisation', 'Path integrals', 'Two-point correlation function', 'Feynman diagram', 'Renormalisation', 'Winston Cup Series', 'Daytona 500', 'International Race of Champions', 'Film and TV appearances', 'References'], ['Episodes', 'Ratings', 'Red Dwarf VIII', 'Back to Earth', 'Red Dwarf XI', 'Red Dwarf XII', 'The Promised Land', 'Reception and achievements', 'Critical reactions', 'Achievements', 'Further reading', 'Articles', 'Books'], ['Pakistan', 'Sri Lanka', 'Assault by Sri Lankan guard', 'Regional issues', 'Punjab', 'Northeast India', 'Technology', 'Bofors scandal, HDW scandal and 1989 elections defeat', 'Later years', 'Allegations of black money', 'Canada', 'Background', 'Implementation', 'Australia and New Zealand', 'Background', 'The Skybolt crisis', 'Construction', 'Construction programme', 'Operational service', 'Refits', 'See also', 'Government', 'Local government', 'Demographics', 'Ancestry and immigration', 'Language', 'Religion', 'Education', 'Primary and secondary', 'Tertiary', 'Vocational education', 'See also'], ['Usage', 'See also', 'Military airports', 'International cooperation', 'Current operations', 'Modernisation', 'Ground force', 'Air force', 'Navy', 'Gallery', 'References', 'Further reading', 'Ancient Greek philosophy', 'Aristotle', 'Pyrrhonism', 'Stoicism', 'Neoplatonism', 'References'], ['Overview', 'Technical developments', 'Professionalism', 'North American professionals', 'Short track enters the Olympics', 'Rules', 'Short track', 'Long track', 'Equipment', 'See also', 'References and notes', 'Structure', 'Arch', 'Pylons', 'History', 'Early proposals', 'Planning', 'Utilities', 'Government', 'Executive', 'Legislative', 'Judicial', 'Police department', 'Surveillance', 'Fire department', 'Fire Station Locations', 'Media'], ['What type of thing is sculpture?', 'Types of sculpture', 'Regulations and labelling', 'Legal definition', 'Labelling', 'History', 'Economic effects', 'Ownership of distilleries', 'Semantic Net in Lisp', 'WordNet', 'Other examples', 'Software tools', 'See also', 'References', 'Further reading'], ['Empires', 'Rebellions and emergence of nationalism', 'World Wars I and II', 'Europe, Asia and Africa', 'The Cold War world', 'The UN Charter and resolutions', 'The communist versus capitalist worlds', 'Asia', 'After the Cold War', 'Current issues', 'History', 'Early years and Tormented (1995–1998)', 'Dysfunction (1999–2000)', 'Break the Cycle (2001–2002)', 'Impact on comedy and culture', 'The Beatles', 'Firesign Theatre', 'Monty Python', 'Deaths', 'See also', 'Notes', 'References', 'Bibliography'], ['Other representations', 'References'], ['Challenges Tuvalu faces as a result of climate change', '2015 United Nations Climate Change Conference (COP21)', 'Filmography and bibliography', 'See also', 'References', 'Further reading'], ['Personal life', 'Social activism', 'Reception', 'Awards and recognition', 'Other theories', 'History', 'Theoretical and mathematical ecologists', 'Journals', 'See also', 'References', 'Further reading', 'Streetcars', 'Services', 'Fares', 'Schedules and route information', 'Connecting transit', 'Cellular and Wi-Fi connectivity', 'Accessibility', 'Infrastructure', 'Stations, stops and terminals', 'Headquarters and facilities', 'Reception', 'Awards', 'Versions', '1967 student film', '1971 studio version', '1977 restored version', "2004 director's cut", 'Novelization', 'Origin of the name', 'See also', 'History', 'Production', 'Varieties', 'Spiciness', 'Packaging', 'Staff', 'Editors', 'Managing editors', 'Notable contributors', 'Snapshot: 1940 editorial staff', 'Competitors (US)', 'See also', 'References', 'Bibliography'], ['Yettishar', 'Qing reconquest', 'Modern era', 'Persecution of Uyghurs in Xinjiang', 'Uyghurs of Taoyuan, Hunan', 'Culture', 'Religion', 'Language', 'Literature', 'Music', 'Subsidiary organs', 'Committees', 'Main committees', 'Other committees', 'Commissions', 'Boards', 'Executive Boards', 'Councils and panels', 'Working Groups and other', 'Seating', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'United States Navy ship names', 'Use dmy dates from August 2019', 'Aspect ratio', 'Color model and depth', 'Video quality', 'Video compression method (digital only)', 'Stereoscopic', 'Formats', 'Transport medium', 'Display standards', 'Digital television', 'Analog television', 'Artistic breakthrough', 'Arles (1888–89)', "Gauguin's visit (1888)", 'Hospital in Arles (December 1888)', 'Saint-Rémy (May 1889\xa0– May 1890)', 'Auvers-sur-Oise (May–July 1890)', 'Death', 'Style and works', 'Artistic development', 'Major series']]



['Wikipedia: Prohibition', 'Wikipedia: Roger Angell', 'Wikipedia: Scott Adams', 'Wikipedia: Foreign relations of Slovenia', 'Wikipedia: September 13', 'Wikipedia: Stockholm Bloodbath', 'Wikipedia: Marge Simpson', 'Wikipedia: Geography of Tuvalu', 'Wikipedia: Thomas Nast', 'Wikipedia: Tuning fork', 'Wikipedia: Two-party system', 'Wikipedia: United Nations Economic and Social Council', 'Wikipedia: Unisa', 'Wikipedia: Vladimir Nabokov']
[['Pennsylvania', 'Similar foods', 'See also', 'References', 'Further reading'], ['Governmental academies and institutes', 'Software', 'Gallery', 'See also', 'Notes', 'References', 'Further reading'], ['Renormalisation group', 'Other theories', 'Gauge symmetry', 'Spontaneous symmetry breaking', 'Supersymmetry', 'Other spacetimes', 'Topological quantum field theory', 'Perturbative and non-perturbative methods', 'Mathematical rigour', 'See also', 'Science and technology', 'Chemistry', 'Computing and algorithms', 'Pure mathematics and statistics', 'Medicine', 'Medical procedures', 'Other uses in medicine', 'Spin-offs and merchandise', 'Novels', 'List of Red Dwarf novels', 'Home video releases', 'DVD releases', 'Blu-ray releases', 'Magazine', 'U.S. version', 'Red Dwarf: The Movie', 'Role-playing game', 'Usage', 'Political use', 'Non-political use', 'Types', 'Example', 'Properties', 'Strategy', 'Advocacy', 'See also', 'Funding from KGB', 'Assassination', 'Aftermath', 'Institutions named after Gandhi', 'Adaptation', 'Notes', 'References'], ['Cape Colony', 'Former British colonies with responsible government', 'In German history', 'See also', 'Notes', 'References', 'Citations', 'Sources', 'Further reading', 'Fictional submarines', 'References', 'Notes', 'Cited footnotes', 'Cited texts', 'Transport', 'Historical transport in South Australia', 'Railway', 'Roads', 'Air transport', 'River transport', 'Sea transport', 'Cultural life', 'Sport', 'Australian rules football', 'History', 'Expansion proposal', 'Locks in the Saint Lawrence River', 'Locks in the Welland Canal', 'Lock, channel dimensions, and additional statistical data', 'Ecology', 'International trade and tourism', 'Map', 'See also', 'References', 'References', 'Early life and education', 'Career'], ['Multilateral', 'Meeting NATO/Partnership for Peace/EAPC goals', 'Religious philosophy', 'Christianity', 'Buddhism', 'Early modern philosophy', 'Criticism of soul as substance', 'Irreducible concepts', 'Bare particular', 'Inherence', 'Arguments supporting the theory', 'Argument from grammar', 'Creation', 'Characters', 'Media', 'Comic books', 'Video games', 'Television series', 'Music', 'Cultural impact and reception', 'References'], ['Further reading'], ['Events', 'Construction', 'Opening', 'Operations', 'Road', 'Tidal flow', 'Tolls', 'Pedestrians', 'Cyclists', 'Rail', 'Maintenance', 'Radio', 'Newspapers', 'Television', 'Sports', 'Current teams', 'Notable people', 'In film and television', 'Events', 'Sister cities', 'See also', 'Short-lived forms', 'Styles of sculpture', 'History of sculpture', 'Elements', 'General sculpture concepts', 'Materials used in sculpture', 'Traditional Materials', 'Modern Materials', 'Notable works of sculpture', 'Selected sculptors', 'Independent bottlers', 'Types', 'Single malt', 'Single grain', 'Blended malt', 'Blended', 'Sensory characteristics', 'Flavour and aroma', 'Screening for potential adulteration', 'Regions', 'Background', 'Political factions in Sweden', 'Military interventions of King Christian', 'Massacre', 'Aftermath', 'Defining "peoples"', 'Self-determination versus territorial integrity', 'Methods of increasing minority rights', 'Self-determination versus majority rule/equal rights', 'Constitutional law', 'Drawing new borders', 'Notable cases', 'Artsakh (Republic of Nagorno-Karabakh)', 'Australia', 'Azawad', '14 Shades of Grey (2003–2004)', 'Chapter V and The Singles (2005–2007)', 'The Illusion of Progress (2008–2009)', 'Staind and departure of Jon Wysocki (2010–2012)', 'Hiatus and limited activity (2013–present)', 'Musical style, influences, and lyrical themes', 'Band members', 'Timeline', 'Discography', 'References', 'Role in The Simpsons', 'Character', 'Creation', 'Life', 'Activities', 'Astronomy', 'Sagacity', 'Theories', 'Geometry', "Thales' theorems", 'Water as a first principle', 'Beliefs in divinity', 'Influences', 'Geography', 'Native broadleaf forest', 'Climate & natural hazards', 'El Niño and La Niña', 'Tropical cyclones', 'Tsunami', 'Bibliography', 'Novels', 'Nonfiction', 'Short stories', 'Poetry', 'Teleplay', 'Contributions and compilations', 'References', 'Further reading'], ['Early life and education', 'Career', 'Style and themes', 'Campaign against the Tweed Ring', 'Party politics', "After Harper's Weekly", 'Commuter parking lots', 'Safety', 'Safety programs', 'Crisis Link', 'ThisIsWhere initiative and SafeTTC mobile app', 'Transit Enforcement Unit', 'Bylaws enforced', 'Communications', 'OneStop media system', 'Governance', 'References', 'Further reading'], ['Uses', 'Cookbooks', 'Toxicity', 'In art and culture', 'See also', 'References', 'Further reading'], ['Examples', 'Commonwealth countries', 'Latin America', 'Dance', 'Art', 'Education', 'Traditional medicine', 'Cuisine', 'Clothing and accoutrements', 'Livelihood', 'Names', 'See also', 'Notes', 'Reform and UNPA', 'Sidelines of the General Assembly', 'See also', 'References'], ['Place name disambiguation pages', 'Short description is different from Wikidata', 'All article disambiguation pages', 'Etymology', 'Origins', 'Genetic origins', 'Uzbek tribes', 'History', 'Ancient history', 'Early Islamic period', 'Samanid Empire', 'Samanids defeat the Saffarids and Zaydids', 'Turkification of Transoxiana', 'Computer displays', 'Recording', 'Digital encoding formats', 'See also', 'References'], ['Portraits', 'Self-portraits', 'Flowers', 'Cypresses and olives', 'Orchards', 'Wheat fields', 'Reputation and legacy', 'Van Gogh Museum', 'References', 'Footnotes']]



['Wikipedia: Pierre de Coubertin', 'Wikipedia: Rosemary', 'Wikipedia: Regular language', 'Wikipedia: Rent (musical)', 'Wikipedia: Slime mold', 'Wikipedia: Steel', 'Wikipedia: History of Solomon Islands', 'Wikipedia: Siebold', 'Wikipedia: Superfluid helium-4', 'Wikipedia: Sandstone', 'Wikipedia: Singularity', 'Wikipedia: SSL', 'Wikipedia: Tamil Nadu', 'Wikipedia: Tiger', 'Wikipedia: Demographics of Tuvalu', 'Wikipedia: Teutonic Order', 'Wikipedia: Testosterone', 'Wikipedia: Trireme', 'Wikipedia: The Day After']
[['Bangladesh', 'India', 'Maldives', 'Pakistan', 'Sri Lanka', 'West Asia', 'Iran', 'Kuwait', 'Saudi Arabia', 'Yemen', 'Early life', 'Educational philosophy', 'Reviving the Olympic Games', 'President of the International Olympic Committee', 'Personal Olympic success', 'Les Débrouillards', 'History', "Feynman's view of quantum electrodynamics", 'Introduction', 'Basic constructions', 'Probability amplitudes', 'Propagators', 'Mass renormalization', 'Conclusions', 'Mathematical formulation', 'Equations of motion', 'Description', 'Taxonomy', 'History', 'Usage', 'Formal definition', 'Examples', 'Equivalent formalisms', 'Development and history', 'Conception', 'Spümcø (1991–1993)', 'Games Animation (1993–1996)', 'Production', 'Process', 'Animation', 'Voice acting', 'Music', 'Controversy and censorship', 'Spain', 'United States', 'History', 'Supreme Court cases', 'Statutory law', 'Support', 'Criticism', 'New York Police Department', 'Suspicionless surveillance of Muslims', 'Stop-and-frisk', 'Determinants of rural flight', 'Economic determinants', 'Social determinants', 'United States and Canada', 'China', 'England and Wales', 'Germany', 'Middle ages', 'German Landflucht', 'Scotland', 'Concept and genesis', 'Sources and inspiration', 'Lynn Thomson lawsuit', 'Synopsis', 'Notes', 'Footnotes', 'Further reading'], ['Business career', 'Milano Due', 'TeleMilano', 'Fininvest', 'Political career', 'Beginnings', '1994 electoral victory', 'Fall of the Berlusconi I cabinet', '2001 electoral victory', 'Berlusconi II cabinet', 'Non-Dilbert publications', 'Awards', 'In popular culture', 'References'], ['Earliest inhabitants in Solomon Islands', 'European contact', 'Colonization', 'World War II', 'See also', 'References'], ['Origins', 'Mathematics and science', 'Construction', 'Arts, entertainment, and media', 'Music', 'Other uses in arts, entertainment, and media', 'Brands and enterprises', 'Sports', 'Square characters and boxes', '75th anniversary (2007)', 'Breakfast on the Bridge (2009–10)', '80th anniversary', 'Quotations', 'Heritage listing', 'Engineering heritage award', 'See also', 'References', 'Bibliography', 'Attribution', 'Risk factors', 'Mechanism', 'Diagnosis', 'Oximetry', 'Classification', 'Obstructive sleep apnea', 'Central sleep apnea', 'Mixed apnea', 'Management', 'Continuous positive airway pressure', 'See also', 'Name', 'History', 'Alternative to U.S. dollar', 'Use by developing countries', 'Value definition', 'Currency basket', 'Daily valuation', 'Allocations', 'Entertainment', 'Languages', 'Organizations', 'Places', 'Science and technology', 'Computing and electronics', 'Kurdistan', 'Nagalim', 'North Borneo and Sarawak', 'Northern Cyprus', 'Quebec', 'Scotland', 'South Africa', 'South Tyrol', 'United States', 'West Papua', 'Political program', 'Succession', "1979 Ba'ath Party Purge", 'Paramilitary and police organizations', 'Political and cultural image', 'Foreign affairs', 'Iran–Iraq War', 'Al-Anfal Campaign', 'Tensions with Kuwait', 'Gulf War', 'History', 'Prehistory', 'Indus valley script between 2000 and 1500 BCE', 'Sangam period (500 BCE – 300 CE)', 'Middle Kingdoms (600–1300 CE)'], ['Etymology', 'Taxonomy and genetics', 'References', 'Summary of the demographics of Tuvalu', 'Demographic statistics', 'Development', 'Casting', 'Filming', 'Design', 'Music', 'Themes', 'Memory, time, and technology', 'Allusions to other films and media', 'Release', 'Box office', 'Name', 'History', 'Timeline', 'Foundation', 'Transylvania, Kingdom of Hungary', 'Further reading'], ['Biological effects', 'References'], ['History', 'Etymology', 'Formation', 'Occurrence', 'Conflict mineral', 'Uses', 'Sterile talc powder', 'Safety', 'Emergence of the two-party system in Britain', 'History of American political parties', 'See also', 'References'], ['History', 'Geography', 'Climate', 'Demographics', 'Economy', 'Crime', 'Higher education', 'Universities', 'Disbanded', 'Regional commissions', 'Committees and other bodies', 'Standing committees', 'Expert bodies', 'Other subsidiary bodies', 'Specialised agencies', '"World Economic and Social Survey 2011: The Great Green Technological Transformation"', 'Reform of the Economic and Social Council', 'Chamber design', 'History', 'Organisation', 'Campus', 'International rankings', 'Affiliations', 'Notable alumni and faculty', 'See also', 'References'], ['Attire', 'Language', 'Religion', 'See also', 'References', 'Sources'], ['Synesthesia', 'Entomology', 'Chess problems', 'Politics and views', 'Russian politics', 'American politics', 'Religion', 'Sleep', 'Views on women writers', 'Influence', 'Background', 'Voice organ', 'Loading on tissue in vocal folds', 'Effect of speaking environment', 'Symptoms', 'Voice care', 'See also', 'References']]



['Wikipedia: Scanning electron microscope', 'Wikipedia: Saving Private Ryan', 'Wikipedia: Signals intelligence', 'Wikipedia: Scale', 'Wikipedia: Tom Collins', 'Wikipedia: United Nations Trusteeship Council', 'Wikipedia: Union for Europe of the Nations', 'Wikipedia: Coast Guard Aviation Association', 'Wikipedia: Vikings']
[['Southeast Asia', 'Brunei', 'Indonesia', 'Malaysia', 'Philippines', 'Thailand', 'Europe', 'Czech Republic', 'Russian Empire and the Soviet Union', 'United Kingdom', 'Scouting', 'Personal life', 'Later life', 'Criticism', 'Legacy', 'List of works', 'See also', 'Citations', 'References', 'Further reading', 'Interaction picture', 'Feynman diagrams', 'Nonperturbative phenomena', 'Renormalizability', 'Nonconvergence of series', 'See also', 'References', 'Further reading', 'Books', 'Journals', 'Cultivation', 'Cultivars', 'Culinary use', 'Fragrance', 'Phytochemicals', 'Folklore and customs', 'See also', 'References'], ['Closure properties', 'Decidability properties', 'Complexity results', 'Location in the Chomsky hierarchy', 'The number of words in a regular language', 'Generalizations', 'Induction', 'Notes', 'References', 'Further reading', 'Episodes', 'Reception', 'Legacy and influence', 'Revivals', 'Adult Party Cartoon (2003)', 'Cancelled revival attempt', 'Comedy Central reboot', 'Home media', 'VHS, LaserDisc, UMD', 'DVD', 'Dealing with terrorism', 'Studies', 'Racial profiling in retail', 'Public opinion', 'Perceptions of race and safety', 'Influence of religious affiliation', 'Contexts of terrorism and crime', 'See also', 'References', 'Further reading', 'Sweden', 'Russia and the former Soviet states', 'Mexico', 'Consequences of rural flight', 'See also', 'References', 'Citations', 'Sources', 'Act I', 'Act II', 'Musical numbers', 'Roles', 'Main characters', 'Minor characters', 'Reception', 'Cultural impact and legacy', 'RENT-heads', 'Popular culture references', 'Taxonomy', 'Older classification', 'Modern classification', 'Life cycle', 'Reproduction of Physarum polycephalum', 'Reproduction of Dictyostelium discoideum', 'Plasmodia', 'Behavior', 'See also', 'Subsequent elections', 'Berlusconi III cabinet', 'Attempt to reform the Italian constitution', '2006 election and opposition', '2008 electoral victory', 'The People of Freedom split', 'Resignation', '2013 general election', 'Refoundation of Forza Italia and public office ban', 'Political comeback and election to European Parliament', 'Definitions and related materials', 'Material properties', 'Heat treatment', 'Steel production', 'History of steelmaking', 'Ancient steel', 'Wootz steel and Damascus steel', 'Modern steelmaking', 'Biuku Gasa and Eroni Kumana', 'War consequences', 'Post war (1945–1978)', 'Independence (1978)', 'Ethnic violence (1999–2003)', 'Cyclones', 'Cyclone Ita', 'See also', 'References', 'Further reading', 'Properties', 'Film flow', 'Superfluid hydrodynamics', 'Fountain pressure', 'Heat transport', 'Theory', 'Landau two-fluid approach', 'Vortex ring model', 'Components', 'Framework grains', 'Matrix', 'Cement', 'Pore space', 'Types of sandstone', "Dott's classification scheme", 'Uses', 'See also', 'Notes', 'Other uses', 'See also', 'History'], ['Plot', 'Cast', 'Weight loss', 'Rapid Palatal Expansion', 'Surgery', 'Nasal obstruction', 'Pharyngeal obstruction', 'Hypopharyngeal or base of tongue obstruction', 'Multi-level surgery', 'Potential complications', 'Other', 'Neurostimulation', 'Science, technology, and mathematics', 'Mathematics', 'Geometry', 'Complex analysis', 'Natural sciences', 'Technology', 'Arts and entertainment', 'Film and television', 'Literature', 'Exchange', 'Interest rate', 'Other uses', 'Unit of account', 'Use in international law', 'Use as currency', 'See also', 'Notes', 'References', 'Citations', 'Sport', 'Other uses', 'History', 'Western Sahara', 'See also', 'References', 'Bibliography'], ['Post-Gulf war period', 'International relations and sanctions on Iraq', 'Invasion of Iraq in 2003', 'Incarceration and trial', 'Capture and incarceration', 'Trial', 'Execution', 'Marriage and family relationships', 'Philanthropic connection to the city of Detroit, Michigan', 'List of government and party positions held', 'Chola Empire', 'Vijayanagar and Nayak period (1336–1646)', 'Power struggles of the 18th century (1688–1802)', 'Princely state of Pudukkottai (1680–1948 CE)', 'Vellore Mutiny and Indian Rebellion  (1801–1947 CE)', 'Post-Independence (1947–present)', 'Geography', 'Climate', 'Flora and fauna', 'National and state parks', 'Subspecies', 'Evolution', 'Hybrids', 'Characteristics', 'Size', 'Colour variations', 'Distribution and habitat', 'Behaviour and ecology', 'Social and daily activities', 'Hunting and diet', 'Population', 'Age structure', 'Median age', 'Population growth rate', 'Birth rate', 'Death rate', 'Net migration rate', 'Sex ratio', 'Infant mortality rate', 'Life expectancy at birth', 'Critical reception', 'Accolades', 'Home media', 'Post-release', 'Lebbeus Woods lawsuit', 'Trilogy claims', 'TV adaptation', 'References', 'Further reading'], ['Prussia', 'Livonia', 'Against Lithuania', 'Against Poland', 'Defeat by the Mongols', 'Height of power', 'Decline', 'Medieval organisation', 'Administrative structure about 1350', 'Universal leadership', 'Before birth', 'Early infancy', 'Before puberty', 'Pubertal', 'Adult', 'Health risks', 'Sexual arousal', 'Mammalian studies', 'Males', 'Females', 'Origins', 'Early use and development', 'The Persian Wars', 'Design', 'Dimensions', 'Construction', 'Propulsion and capabilities', 'Crew', 'Trierarch', 'Deck crew', 'Industrial grade', 'Food grade', 'Association with asbestos', 'Litigation', 'See also', 'References', 'Plot', 'Chronology of the war', 'Storyline', 'Cast', 'Production', 'Editing', 'Broadcast', 'Music', 'Other higher education', 'Museums and sights', 'Transportation', 'Sports', 'International Relations', 'Sister Cities & Twin Towns', 'Notable locals', 'References in popular culture', 'See also', 'References', 'See also', 'References', 'Further reading'], ['History', 'Membership', 'Membership by member state at 11 June 2009', 'Activities', 'References'], ['Adaptations', 'List of works', 'Notes', 'References', 'Further reading', 'Biography', 'Criticism', 'Bibliography', 'Media adaptations', 'Other', 'Etymology', 'Other names', 'History', 'Viking Age', 'Expansion']]



['Wikipedia: Polish notation', 'Wikipedia: Quine (computing)', 'Wikipedia: Rosales', 'Wikipedia: Reference work', 'Wikipedia: Rankine scale', 'Wikipedia: Robotech', 'Wikipedia: Substitution splice', 'Wikipedia: Geography of the Solomon Islands', 'Wikipedia: Sophia of Hanover', 'Wikipedia: Defamation', 'Wikipedia: Special Operations Executive', 'Wikipedia: Sonja Henie', 'Wikipedia: Sealed Knot', 'Wikipedia: Utilitarianism', 'Wikipedia: Urology', 'Wikipedia: University of Canterbury', 'Wikipedia: Vanuatu']
[['North America', 'Canada', 'Mexico', 'United States', 'Temperance movement', '18th Amendment to the Constitution', 'Repeal', 'Aftermath', 'South America', 'Venezuela'], ['History', 'Explanation'], ['History', 'Examples', 'Taxonomy', 'Phylogeny', 'Distribution', 'Importance'], ['Reference book', 'Electronic resources', 'United States', 'Europe', 'Other media', 'Video games', 'Comic books', 'Film adaptation attempts', 'See also', 'References', 'Further reading'], [], ['See also', 'Notes', 'Name origin', 'Fictional chronology', 'Television and film', 'The original television series', 'Robotech: The Movie', 'Casts', 'Productions', 'New York workshops and off-Broadway production', 'Original Broadway production', 'North American touring productions', 'UK productions', 'Off-Broadway revival', 'Additional productions', 'Rent: School Edition', 'International productions', 'References'], ['References', 'Foreign policy', 'Relations with Russia', 'Relations with Israel', 'Relations with Belarus', 'Cooperation with the Western Balkans', 'Relations with Libya', 'Berlusconism', 'Origins and features', 'Political positions', 'Comparisons to other leaders', 'Processes starting from bar iron', 'Processes starting from pig iron', 'Steel industry', 'Recycling', 'Contemporary steel', 'Carbon steels', 'Alloy steels', 'Standards', 'Uses', 'Historical', 'Islands', 'Geology and ecology', 'Climate', 'Hard-sphere models', 'Gaussian cluster approach', 'Background', 'Practical application', '21st-century developments', 'See also', 'References', 'Further reading'], ['Bibliography', 'Further reading', 'Early life', 'Principles and capacities', 'Sample preparation', 'Biological samples', 'Materials', 'Scanning process and image formation', 'Magnification', 'Detection of secondary electrons', 'Detection of backscattered electrons', 'Beam-injection analysis of semiconductors', 'Cathodoluminescence', 'Production', 'Development', 'Pre-production', 'Filming', 'Portrayal of history', 'Cinematography', 'Reception', 'Box office', 'Critical response', 'Awards', 'Medications', 'Oral appliances', 'Nasal EPAP', 'Oral pressure therapy', 'Epidemiology', 'History', 'Treatment', 'See also', 'References'], ['Albums', 'Songs', 'People', 'Video games', 'Organizations', 'See also', 'Works cited'], ['History', 'Origins', 'Development in World War I', 'Postwar consolidation', 'World War II', 'Technical definitions', 'Disciplines shared across the branches', 'Targeting', 'Need for multiple, coordinated receivers', 'Intercept management', 'Signal detection', 'Mathematics', 'Measurements', 'Music', 'Science', 'Biology', 'Chemistry and materials science', 'Other sciences', 'Places', 'See also', 'Notes', 'References', 'Further reading'], ['Governance and administration', 'Administrative subdivisions', 'Demand for new districts', 'Cities and towns', 'Politics', 'Pre-Independence', 'Post-Independence', 'Demographics', 'Religion', 'Language', 'Enemies and competitors', 'Reproduction', 'Conservation', 'Relation with humans', 'Tiger hunting', 'Body part use', 'Man-eating tigers', 'In captivity', 'Cultural depictions', 'Myth and legend', 'Total fertility rate', 'Demonym', 'Ethnic groups', 'Religions', 'Languages', 'See also', 'References', 'References', 'Generalkapitel', 'Hochmeister', 'Großgebietiger', 'National leadership', 'Landmeister', 'Regional leadership', 'Local leadership', 'Komtur', 'Special offices', 'Modern organization', 'Romantic relationships', 'Fatherhood', 'Motivation', 'Aggression and criminality', 'Brain', 'Immune system and inflammation', 'Medical use', 'Biological activity', 'Steroid hormone activity', 'Neurosteroid activity', 'Rowers', 'Marines', 'Tactics', 'On-board forces', 'Naval strategy in the Peloponnesian War', 'Casualties', 'Changes of engagement and construction', 'Reconstruction', 'See also', 'Notes', 'History', 'Jim Collins', 'The Tom Collins Hoax of 1874', 'Early recipes', 'Popularity', 'Others', 'Modern mix', 'Deleted and alternative scenes', 'Reception', 'Effects on policymakers', 'Accolades', 'See also', 'References', 'Further reading'], ['Further reading'], ['Etymology', 'History', 'Present status', 'Future prospects', 'Gallery', 'See also', 'References'], ['Membership by party at 10 February 2008', 'Membership after 1999 election', 'Notes', 'References'], ['Governance', 'Campus', 'Libraries', 'Rankings', 'League tables', 'Student association and traditions'], ['Etymology', 'History', 'Motives', 'Jomsborg', 'End of the Viking Age', 'Emergence of Nation-States and Monetary Economies', 'Assimilation into Christendom', 'Culture', 'Literature and language', 'Runestones', 'Runic alphabet usage in modern times', 'Burial sites']]



['Wikipedia: Rebuttal', 'Wikipedia: Roger Casement', 'Wikipedia: R-Type', 'Wikipedia: Rabbinical Assembly', 'Wikipedia: Stop', 'Wikipedia: Demographics of Solomon Islands', 'Wikipedia: Simon Flexner', 'Wikipedia: South African English', 'Wikipedia: Southcentral Alaska', 'Wikipedia: Talk radio', 'Wikipedia: Telecommunications in Tuvalu', 'Wikipedia: The Crying Game', 'Wikipedia: Thalassa (disambiguation)', 'Wikipedia: Torpedo', 'Wikipedia: Tic-tac-toe', 'Wikipedia: United Nations High Commissioner for Refugees']
[['Oceania', 'Australia', 'New Zealand', 'Elections', 'See also', 'Notes', 'References', 'Evaluation algorithm', 'Polish notation for logic', 'Implementations', 'See also', 'References', 'Further reading'], ['Constructive quines', 'Eval quines', '"Cheating" quines', 'Self-evaluation', 'Source code inspection', 'Ouroboros programs', 'Example', 'Multiquines', 'Radiation-hardened', 'See also', 'References'], ['See also', 'References', 'Further reading', 'Early life and education', 'Gameplay', 'Reception', 'Ports', 'References', 'Sources'], ['Robotech II: The Sentinels', 'Robotech: The Shadow Chronicles', 'Robotech: Love Live Alive', 'Other television and film productions', 'Robotech Wars', 'Robotech III, Robotech IV and Robotech V', 'Robotech 3000', 'Robotech: Mars Force', 'Robotech UN Public Service Announcement', 'Robotech: Shadow Rising (Hiatus)', 'Recordings', 'Rent (Original Broadway Cast Recording)', 'Rent: Original Motion Picture Soundtrack', 'Other Recordings', 'Adaptations', 'Film', 'Rent: Filmed Live on Broadway', 'Rent: Live', 'Related Documentaries', 'No Day But Today: The Story of Rent', 'Places', 'Facilities', 'Film', 'Legal problems', 'Ongoing trials', 'Abuse of office – The Unipol case (2005)', 'Bribery of senators supporting the Prodi government (2006)', 'Defamation against Antonio Di Pietro (2008)', 'Soliciting minors for sex – Ruby case (2010)', 'Ongoing investigations', 'Cases with final convictions', 'Tax-fraud conviction in Mediaset trial (1988–98)', 'Controversies', 'Long steel', 'Flat carbon steel', 'Weathering steel (COR-TEN)', 'Stainless steel', 'Low-background steel', 'See also', 'References', 'Bibliography', 'Further reading'], ['Statistics', 'Extreme points', 'See also', 'References', 'Early life and career', 'Medical school and career', 'Marriage and family', 'References', 'Marriage', 'Issue', 'Heir presumptive', 'Death and legacy', 'Ancestry', 'Notes', 'References', 'Further reading', 'X-ray microanalysis', 'Resolution of the SEM', 'Environmental SEM', 'Transmission SEM', 'Color in SEM', 'False color using a single detector', 'SEM image coloring', 'Color built using multiple electron detectors', 'Analytical signals based on generated photons', '3D in SEM', 'Legacy', 'Television broadcasts', 'Home video', 'See also', 'References', 'Further reading'], ['History', 'Varieties', 'White South African English', 'Overview', 'Types', 'Slander', 'Libel', 'Cases involving libel', 'Proving libel', 'Scandalum magnatum', 'Origins', 'Formation', 'Leadership', 'Organisation', 'Headquarters', 'Subsidiary branches', 'Aims', 'Relationships', 'Locations', 'Baker Street', 'Countermeasures to interception', 'Direction-finding', 'Traffic analysis', 'Electronic order of battle', 'Communications Intelligence', 'Voice interception', 'Text interception', 'Signaling channel interception', 'Monitoring friendly communications', 'Electronic signals intelligence', 'Other uses', 'See also', 'Cities', 'Biography', 'Early life', 'Competitive career', 'Professional and film career', 'Nazi controversy', 'Personal life', 'Death', 'Results', 'Education', 'Culture', 'Literature', 'Festivals and traditions', 'Music', 'Film industry', 'Television industry', 'Cuisine', 'Economy', 'Agriculture', 'Literature and media', 'Heraldry and emblems', 'See also', 'References', 'Further reading'], ['Telephones', 'Radio and television', 'Internet', 'References', 'Plot', 'Cast', 'Production', 'Release', 'Critical reception', 'Evolution and reconfiguration as a Catholic religious order', 'Honorary Knights', 'Protestant Bailiwick of Utrecht', 'Insignia', 'Influence on German and Polish nationalism', 'See also', 'Notes'], ['References', 'Biochemistry', 'Biosynthesis', 'Regulation', 'Distribution', 'Metabolism', 'Levels', 'Measurement', 'History', 'Other species', 'See also', 'References'], ['See also', 'Variants', 'Juan Collins', 'See also', 'References', 'Game play', 'History', 'Combinatorics', 'Strategy', 'Further details', 'Historical background', 'Pre-modern formulations', '18th century', 'Hutcheson', 'Gay', 'Hume', 'Paley', 'Classical utilitarianism', 'Jeremy Bentham', 'Principle of utility', 'History', 'Function', 'Palestine refugee mandate', 'Public awareness and future of refugees', 'Artworks on refugee crisis and artists as activists for refugees', 'Training', 'United States', 'Australia', 'Subdisciplines', 'Endourology', 'Laparoscopy', 'Urologic oncology', 'Neurourology', 'Coat of arms', 'Personnel', 'Size and composition', 'Staff reductions and academic freedom issues', 'Concerns over student racism', 'Supporting equity and diversity', 'Notable staff', 'Notable alumni', 'Honorary doctors', 'See also', 'Prehistory', 'Arrival of Europeans (1606-1906)', 'Colonial era (1906-1980)', 'Early period (1906-1945)', 'Lead-up to independence (1945-1980)', 'Independent Vanuatu (1980-present)', 'Geography', 'Flora and fauna', 'Climate', 'Tropical cyclones', 'Ships', 'Everyday life', 'Social structure', 'Women', 'Appearances', 'Farming and cuisine', 'Sports', 'Games and entertainment', 'Experimental archaeology', 'Cultural assimilation']]



['Wikipedia: Phenothiazine', 'Wikipedia: Primary school', 'Wikipedia: Field of fractions', 'Wikipedia: Res ipsa loquitur', 'Wikipedia: Reinhard Heydrich', 'Wikipedia: Restaurant', 'Wikipedia: Stainless steel', 'Wikipedia: Statistical regularity', 'Wikipedia: Scanning tunneling microscope', 'Wikipedia: Shaggy dog story', 'Wikipedia: Spinor', 'Wikipedia: Traveller (role-playing game)', 'Wikipedia: Two-step', 'Wikipedia: Toyota', 'Wikipedia: Tertullian', 'Wikipedia: Tallinn Airport', 'Wikipedia: USS Enterprise']
[['Uses', 'Phenothiazine-derived drugs', 'Nondrug applications', 'Trade names', 'Former uses', 'Structure and synthesis', 'History of elementary education', 'The medieval church and education', 'Renaissance', 'Paupers and the poor', 'Educational philosophies', 'Levels of education', 'Notes', 'References', 'Further reading'], ['References', 'History', 'Elements', 'Observations of Casement', 'The Congo and the Casement Report', 'Peru: Abuses against the Putumayo Indians', 'Irish revolutionary', 'Capture, trial, and execution', 'The Black Diaries', 'State funeral', 'Legacy', 'Landmarks, buildings and organisations', 'Representation in culture', 'Sequels and legacy', 'Adaptations', 'Notes', 'References'], ['History', 'Bodies for interpreting Jewish law', 'Publications', 'Leadership', 'See also', 'References'], ['Robotech Academy (Hiatus)', 'Unofficial and parody productions', 'Proposed live-action film', 'Other media', 'Art books', 'Comics', 'Collectible card game', 'Music and soundtracks', 'Novelizations', 'Role-playing games', 'Revolution Rent', 'Awards and honors', 'Original West End production', '20th-Anniversary UK tour', 'References'], ['Music', 'Albums', 'Songs', 'Medicine and anatomy', 'Optics and photography', 'Arrestation devices', 'Halting', 'Other uses', 'See also', 'Economic conflicts of interest', 'Media control and conflict of interest', 'The Economist', 'Legislative changes', 'Accusations of links to the Mafia', 'Remarks on Western civilisation and Islam', 'Right-to-die case', 'Anti-immigration laws', 'Jokes, gestures, and blunders', 'Friendship with Bettino Craxi', 'History', 'Stainless steel families', 'Austenitic stainless steel', 'The World Factbook demographic statistics', 'Population', 'Age structure', 'Population growth rate', 'Birth rate', 'Death rate', 'Net migration rate', 'Urbanisation', 'Sex ratio'], ['See also', 'References', 'Procedure', 'Instrumentation', 'Other STM related studies', 'Principle of operation', 'Early invention', '3D SEM reconstruction from a stereo pair', 'Photometric 3D SEM reconstruction from a four-quadrant detector by "shape from shading"', 'Photometric 3D rendering from a single SEM image', 'Other types of 3D SEM reconstruction', 'Applications of 3D SEM', 'Gallery of SEM images', 'See also', 'References'], ['Archetypal story', 'Examples in literature', "Mark Twain and the story of grandfather's old ram", 'Nikolai Gogol and the story of Captain Kopeikin', 'Isaac Asimov and the story of the Shah Guido G.', 'Examples in music', 'Black South African English', 'Indian South African English', 'Cape Flats English', 'Phonology', 'Vowels', 'Consonants', 'Lexicon', 'History of SAE Dictionaries', 'Vocabulary', 'British Lexical Items', 'Criminal defamation', 'Early cases of criminal defamation', 'History', 'Defenses', 'Truth', 'Privilege and malice', 'Other defenses', 'Public figure doctrine (absence of malice)', 'Freedom of speech', 'Laws by jurisdiction', 'Production and trials', 'Training and operations', 'Agents', 'Communications', 'Radio', 'BBC', 'Other methods', 'Equipment', 'Weapons', 'Sabotage', 'Complementary relationship to COMINT', 'Role in air warfare', 'ELINT and ESM', 'ELINT for meaconing', 'Foreign instrumentation signals intelligence', 'Counter-ELINT', 'SIGINT versus MASINT', 'Legality', 'See also', 'References', 'Climate', 'Mountains', 'See also', 'References', 'Ladies singles', 'Pairs', 'Awards', 'Filmography', 'Other appearances', 'In popular culture', 'Notes', 'References', 'Sources'], ['Textiles and leather', 'Automobiles', 'Heavy industries and engineering', 'Electronics and software', 'Infrastructure', 'Transport', 'Road', 'Rail', 'Airports', 'Seaports', 'In the United States', 'History', 'Hot talk', 'Politically oriented talk radio', 'Other hosts, other styles', 'Liberal talk radio', 'Sports talk', 'Game overview', 'Key features', 'Characters', 'Psionics', 'Task systems', 'Awards and nominations', 'Academy Awards', 'BAFTA Awards', 'Golden Globe Awards', 'Critics awards', 'Guild awards', 'Other awards', 'Soundtrack', 'See also', 'References', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'References', 'Further reading', 'Corporate governance', 'Life', 'Writings', 'General character', 'Etymology', 'History', 'Middle Ages', 'Early naval mines', 'Invention of the modern torpedo', 'Production and spread', 'Torpedo boats and guidance systems', 'Use in conflict', 'Aerial torpedo', 'Variations', 'English names', 'In popular culture', 'See also', 'References'], ['Hedonic calculus', 'Evils of the first and second order', 'John Stuart Mill', 'Higher and lower pleasures', "'Proving' the principle of utility", 'Developments in the 20th century', 'Ideal utilitarianism', 'Act and rule utilitarianism', 'Two-level utilitarianism', 'Preference utilitarianism', 'Cooperation within the United Nations', 'Awards', 'Persons of concern to UNHCR', '2019', 'Staffing', 'High Commissioners', 'Special Envoy of High Commissioner Filippo Grandi', 'Goodwill ambassadors', 'Controversies', 'The 1994-95 repatriation of Rohingyans', 'Pediatric urology', 'Andrology', 'Reconstructive urology', 'Female urology', 'Journals and organizations', 'Urology in the COVID19 pandemic', 'List of urological  topics', 'See also', 'References', 'Notes', 'References'], ['Earthquakes', 'Government', 'Politics', 'Foreign relations', 'Armed forces', 'Administrative divisions', 'Economy', 'Communications', 'Demographics', 'Languages', 'Weapons and warfare', 'Trade', 'Goods', 'Legacy', 'Medieval perceptions', 'Post-medieval perceptions', 'In 20th-century politics', 'In modern popular culture', 'Common misconceptions', 'Barbarity']]



['Wikipedia: Pale Fire', 'Wikipedia: Real Irish Republican Army', 'Wikipedia: Retroposon', 'Wikipedia: Red China', 'Wikipedia: Scandinavia', 'Wikipedia: Statistical model', 'Wikipedia: STM', 'Wikipedia: Timeline of the September 11 attacks', 'Wikipedia: Sushi', 'Wikipedia: Semantic Web', 'Wikipedia: Science & Environmental Policy Project', 'Wikipedia: The Sixth Sense', 'Wikipedia: Universe of The Legend of Zelda', 'Wikipedia: Member states of the United Nations', 'Wikipedia: Upper Iowa University']
[['References'], ['Novel structure', 'Terminology: descriptions of cohorts', 'Primary schools', 'Elementary schools', 'Theoretical framework of primary school design', 'Building design specifications', 'Governance and funding', 'Accountability', 'See also', 'Notes', 'References', 'Examples', 'Construction', 'Generalizations', 'Localization', 'Semifield of fractions', 'See also', 'References', 'Exclusive control requirement', 'Typical in medical malpractice', 'Contrast to prima facie', 'Examples by jurisdictions', 'Canada', 'Hong Kong', 'Ireland', 'South Africa', 'United Kingdom', 'England and Wales', 'References', 'Bibliography'], ['Early life', 'Naval career', 'Career in the SS', 'Gestapo and SD', 'Crushing the SA', 'Consolidating the police forces', 'Red Army purges', 'Night-and-Fog decree', 'Difference between retroposons and retrotransposons', 'Gene duplications', 'References', 'Toys', 'Video games', 'Reception of adaptation', 'Distribution', 'References'], ['Etymology', 'History', 'Types', 'Restaurant staff', "Chef's table", 'By country', 'Asia', 'Geography', 'Etymology', 'Appearance in medieval Germanic languages', 'Possible influence on Sami', 'Freedom Army', 'Wiretaps and accusations of corruption', 'Divorce and allegations of sexual misconduct', 'Rubygate', 'Panama Papers', 'Health', 'Assault at rally', 'Heart problems', 'COVID-19', 'Personal fortune', 'Ferritic stainless steels', 'Martensitic stainless steels', 'Heat treatment of martensitic stainless steels', 'Nitrogen-alloyed martensitic stainless steels', 'Duplex stainless steel', 'Precipitation hardening stainless steels', 'Grades', 'Corrosion resistance', 'Uniform corrosion', 'Acids', 'Maternal mortality rate', 'Life expectancy at birth', 'Total fertility rate', 'Health expenditure', 'Physicians density', 'Hospital bed density', 'Nationality', 'Ethnic groups', 'Religions', 'Languages', 'Introduction', 'Formal definition', 'An example', 'Gallery of STM images', 'See also', 'References', 'Further reading'], ['Background history', 'Planning', 'September 11, 2001', 'Rest of September', 'Other examples', 'See also', 'References', 'Further reading', 'Expressions', 'Demographics', 'Examples of South African accents', 'See also', 'References', 'Bibliography', 'Further reading'], ['Criminal defamation by country', 'Internationally', 'Asia', 'Azerbaijan', 'China', 'Japan', 'India', 'Israel', 'Saudi Arabia', 'South Korea', 'Submarines', 'Other', 'Transport', 'Air', 'RAF Tempsford', '161 Squadron operations', '138 Squadron and other Special Duties units operations', 'Locating and homing equipment', 'Sea', 'Operations', 'Further reading'], ['Example', 'Introduction', 'Mathematical definition', 'Overview', 'Clifford algebras', 'Spin groups', 'Terminology in physics', 'Spinors in representation theory', 'Attempts at intuitive understanding', 'History', "SEPP's views", 'Rebuttals', 'NIPCC', 'Spaceport', 'Communication', 'Energy', 'Sports', 'Tourism', 'See also', 'References', 'Citations', 'Sources'], ['Ratings', 'In Africa', 'In Australia', 'In Brazil', 'In Canada', 'In Finland', 'In France', 'In Germany', 'In Italy', 'In New Zealand', 'Equipment', 'Starships', 'Worlds', 'Setting', 'Races', 'Ancients', 'Publishing history', 'Format', 'Editions', 'Traveller'], ['Plot', 'Cast', 'Short description is different from Wikidata', 'Hyrule', 'Hyrulean geography', 'Toyota Motor Company', 'Presidents', 'Toyota Motor Corporation', 'Chairmen', 'Financials', 'Global ranking', 'History', '1920s1930s', '1940s–1950s', '1960s–1970s', 'Chronology and contents', 'Theology', 'Specific teachings', 'Eschatology', 'Moral principles', 'Works', 'Possible chronology', 'Spurious works', 'See also', 'Notes', 'World War I', 'World War II', 'Frequency-hopping', 'Post–World War II', 'Energy sources', 'Compressed air', 'Heated torpedoes', 'Wet-heater', 'Compressed oxygen', 'Wire driven', 'History', 'Early development', 'Soviet period', 'Modern development', '2008 expansion', 'Renaming', 'Baltic Sea cruise turnarounds', 'More varieties of utilitarianism', 'Negative utilitarianism', 'Motive utilitarianism', 'Criticisms', 'Quantifying utility', 'Utility ignores justice', 'The Sheriff Scenario', 'The Brothers Karamazov', 'Predicting consequences', 'Demandingness objection', 'See also', 'References', 'Citations', 'Sources'], ['History', 'Campus', 'Academics', 'Distance education', 'United States Navy', 'Ships', 'Training facility', 'Other American ships', 'American aircraft and spacecraft', 'Star Trek fictional spacecraft', 'See also', 'Religion', 'Health', 'Education', 'Culture', 'Music', 'Cuisine', 'Sports', 'Festivals', 'See also', 'Notes', 'Use of skulls as drinking vessels', 'Genetic legacy', 'See also', 'Notes', 'References', 'Bibliography', 'Further reading'], []]



['Wikipedia: Preprocessing', 'Wikipedia: Quadratic reciprocity', 'Wikipedia: The Rocky Horror Picture Show', 'Wikipedia: Record', 'Wikipedia: Politics of Solomon Islands', 'Wikipedia: Hijackers in the September 11 attacks', 'Wikipedia: Speech processing', 'Wikipedia: Abbey of Saint Gall', 'Wikipedia: Tamil language', 'Wikipedia: Traveling Wilburys', 'Wikipedia: Universal property', 'Wikipedia: History of Vanuatu', 'Wikipedia: Vietnam War']
[['Plot summary', 'Explanation of the title', 'Initial reception', 'Interpretations', 'Allusions and references', 'In popular culture', 'References'], [], ['All article disambiguation pages', 'All disambiguation pages', 'Motivating examples', 'Factoring n2\xa0−\xa05', 'Patterns among quadratic residues', 'q', 'Higher q', 'Scotland', 'United States', 'References'], ['Origins', 'Objectives', 'Campaign', 'Early campaign', 'Omagh bombing', 'Ceasefire', 'Return to activity', 'Bombings in England', 'Renewed campaign in Northern Ireland', 'Arrests', 'Anti-Polish policies', 'Acting Reich Protector of Bohemia and Moravia', 'Role in the Holocaust', 'Death', 'Funeral', 'Aftermath', 'Service record', 'See also', 'Informational notes', 'Citations', 'An item or collection of data', 'Computing', 'Documents', 'Images', 'Sound', 'Arts, entertainment, and media', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'China', 'Europe', 'Greece', 'Roman Empire', 'France', 'The Americas', 'Brazil', 'Colombia', 'Peru', 'United States', 'Reintroduction of the term Scandinavia in the eighteenth century', 'Use of Nordic countries vs. Scandinavia', 'Scandinavian as an ethnic term', 'Languages in Scandinavia', 'North Germanic languages', 'Finnish', 'Sami languages', 'History', 'Ancient descriptions', 'The Middle Ages', 'Electoral history', 'First-past-the-post elections', 'Works by Silvio Berlusconi', 'Honours and awards', 'In film', 'Documentaries', 'Feature films', 'See also', 'References', 'Further reading', 'Bases', 'Organics', 'Localized corrosion', 'Pitting corrosion resistance', 'Crevice corrosion', 'Stress corrosion cracking', 'Galvanic corrosion', 'High-temperature corrosion (scaling)', 'Properties', 'Physical properties', 'Literacy', 'References', 'Executive branch', 'General remarks', 'Dimension of a model', 'Nested models', 'Comparing models', 'See also', 'Notes', 'References', 'Further reading', 'Technology', 'Transportation', 'Publishing', 'Other uses', 'See also', 'October', 'Beyond October', 'References'], ['History', 'Types', 'Chirashizushi', 'Inarizushi', 'Makizushi', 'Modern Narezushi', 'Nigirizushi', 'Oshizushi', 'Western-style sushi', 'History', 'Techniques', 'Dynamic time warping', 'Hidden Markov models', 'Artificial neural networks', 'Former Soviet Union', 'Nepal', 'Philippines', 'Taiwan', 'Thailand', 'Civil', 'Criminal', 'Europe', 'Albania', 'Austria', 'France', 'Poland', 'Germany', 'The Netherlands', 'Belgium', 'Italy', 'Yugoslavia', 'Hungary', 'Greece', 'Albania', 'Background', 'Limitations of HTML', 'Semantic Web solutions', 'Web 3.0', 'Challenges', 'Standards', 'Components', 'Current state of standardization', 'Applications', 'Skeptical reactions', 'Examples', 'Two dimensions', 'Three dimensions', 'Explicit constructions', 'Component spinors', 'Abstract spinors', 'Minimal ideals', 'Exterior algebra construction', 'Hermitian vector spaces and spinors', 'Clebsch–Gordan decomposition', 'See also', 'References', 'Further reading'], ['Government', 'General information', 'Classification', 'In the Philippines', 'In Poland', 'In Spain', 'In the United Kingdom', 'See also', 'References', 'Further reading'], ['MegaTraveller', 'Traveller: The New Era', "T4: Marc Miller's Traveller", 'GURPS Traveller', 'Traveller20', 'GURPS Traveller: Interstellar Wars', 'Traveller Hero', 'Mongoose Traveller', 'Traveller5', 'Mongoose Traveller 2nd Ed.', 'Production', 'Reception', 'Box office', 'Home media', 'Critical response', 'Accolades', 'American Film Institute lists', 'See also', 'References'], ['Master Sword', 'Triforce', 'Other worlds', 'Termina', 'Lorule', 'Others', 'Races', 'Ancient Robots', 'Anouki', 'Bokoblin', '1980s', '1990s', '2000s', '2010s', 'Recalls', 'Logo and branding', 'Japan', 'Toyota slogans', 'Australia', 'Bangladesh', 'References', 'Bibliography', 'Further reading'], ['Flywheel', 'Electric batteries', 'Rockets', 'Modern energy sources', 'Propulsion', 'Guidance', 'Unguided', 'Pattern running', 'Radio and wire guidance', 'Homing', 'Demise of Estonian Air', 'Future expansion', 'Planned Terminal 2', 'Facilities', 'Terminal building', 'Passenger facilities', 'Airport museum and activity centre', 'Business aviation hangar complex', 'Aviation services', 'Air freight', 'Aggregating utility', 'Calculating utility is self-defeating', 'Special obligations criticism', 'Criticisms of utilitarian value theory', 'Duty-based criticisms', 'Baby farming', 'Additional considerations', 'Average v. total happiness', 'Motives, intentions, and actions', 'Humans alone, or other sentient beings?', 'Original members', 'Current members', 'Former members', 'Republic of China', 'Bids for readmission as the representative of Taiwan', 'Czechoslovakia', 'German Democratic Republic', 'Federation of Malaya', 'International program', 'Rankings', 'Athletics', 'Sports teams', 'Notable alumni', 'References'], ['Motivation', 'Formal definition', 'Connection with Comma Categories', 'Examples', 'Tensor algebras', 'Products', 'References', 'Bibliography', 'Further reading'], ['Names', 'Background', 'Transition period', 'Diệm era, 1954–1963', 'Rule']]



['Wikipedia: Preservative', 'Wikipedia: Piedmont', 'Wikipedia: Raëlism', 'Wikipedia: Outline of religion', 'Wikipedia: Radioteletype', 'Wikipedia: Sprung rhythm', 'Wikipedia: Statistical inference', 'Wikipedia: Svenska Akademiens ordbok', 'Wikipedia: Shirehorses', 'Wikipedia: Swahili language', 'Wikipedia: Thyroid', "Wikipedia: Thirty Years' War", 'Wikipedia: Unitarian Universalism']
[['Antimicrobial preservatives', 'Antioxidants', 'Nonsynthetic compounds for food preservation', 'History and methods', 'Drying', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', "Legendre's version", 'Statement of the theorem', 'Proof', 'Proofs of the supplements', 'History and alternative statements', 'Fermat', 'Euler', 'Legendre and his symbol', "Legendre's version of quadratic reciprocity", 'The supplementary laws using Legendre symbols', 'Plot', 'Cast', 'Production', 'Concept and development', 'Filming and locations', 'Costumes, make-up, and props', 'Title sequence', 'Music', 'Release', '2002–2007', '2007–2011', 'Since 2012: merger and beyond ("New IRA")', 'Structure and status', 'Funding', 'Weaponry', 'References', 'Bibliography', 'Further reading'], ['Music', 'Periodicals', 'Television', 'Sports and skills', 'Other uses', 'See also', 'History', 'Technical description', 'Technical specification', 'Early amateur radioteletype history', 'Comparison with other modes', 'Guides', 'Economics', 'India', 'Canada', 'European Union', 'Employment', 'Regulations', 'Occupational hazards', 'See also', 'References', 'Scandinavian unions', 'Economy', 'Tourism', 'See also', 'Notes', 'References'], [], ['Example', 'Scansion', 'Electricity and magnetism', 'Magnetic properties', 'Galling', 'Standard finishes', 'Joining stainless steels', 'Welding stainless steels', 'Electric arc welding processes ====', 'Other welding processes', 'Adhesive bonding', 'Production process and figures', 'Attorney General of the Solomon Islands', 'Solicitor General of the Solomon Islands', 'Ministry of Justice and Legal Affairs', 'Legislative branch', 'Cabinet and ministries', 'Judiciary', 'Political parties and elections', 'Administrative divisions', 'Political history', 'Land ownership', 'Introduction', 'Models and assumptions', 'Degree of models/assumptions', 'Importance of valid models/assumptions', 'Approximate distributions', 'See also'], ['Selection', 'Hijackers', 'Hijacked aircraft', 'American Airlines Flight 11: One World Trade Center, North Tower', 'United Airlines Flight 175: Two World Trade Center, South Tower', 'American Airlines Flight 77: Pentagon', 'United Airlines Flight 93', 'Investigation', 'Before the attacks', 'Uramaki', 'American-style makizushi', 'Sushi in Asia', 'South Korean-style makizushi', 'Ingredients', 'Sushi-meshi', 'Nori', 'Gu', 'Condiments', 'Nutrition', 'Applications', 'See also', 'References', 'Belgium', 'Bulgaria', 'Croatia', 'Czech Republic', 'Denmark', 'Finland', 'France', 'Germany', 'Greece', 'Ireland', 'Czechoslovakia', 'Norway', 'Denmark', 'Romania', 'Abyssinia', 'West Africa', 'Southeast Asia', 'Dissolution', 'Wartime commentaries on SOE', 'Later analysis and commentaries', 'Practical feasibility', 'Censorship and privacy', 'Doubling output formats', 'Research activities on corporate applications', 'Future of applications', 'See also', 'References', 'Further reading'], ['Even dimensions', 'Odd dimensions', 'Consequences', 'Summary in low dimensions', 'See also', 'Notes', 'References', 'Further reading', 'History', 'Foundation', 'Golden Age', 'Silver Age', 'Under the Prince-Abbots', 'An associate of the Swiss Confederation', 'End of the Prince-Abbots', 'Cultural treasures', 'People of the abbey', 'History', 'Legend', 'Etymology', 'Old Tamil', 'Middle Tamil', 'Modern Tamil', 'Geographic distribution', 'Legal status', 'Dialects', 'Region-specific variations', 'Structure', 'Features', 'Blood, lymph and nerve supply', 'Variation', 'Microanatomy', 'Reception', 'Awards', 'In other media', 'Software', 'Novels', 'Periodicals', 'Music', 'Related role-playing games', 'Traveller: 2300 or 2300 AD', 'See also', 'Origins of the war', 'Bohemian Revolt', 'Ottoman support for Transylvania', 'Bulblin', 'Cobble', 'Deku', 'Dragon', 'Fairy', 'Gerudo', 'Goron', 'Keaton', 'Kikwi', 'Kokiri and Koroks', 'China', 'Europe', 'India', 'Indonesia', 'Malaysia', 'Philippines', 'Singapore', 'South Africa', 'South Korea', 'Thailand', 'History', 'Background', '1988–91', '"Handle with Care" and band formation', 'Debut album', 'Orbison\'s death, "Nobody\'s Child" and Vol. 3', 'After the Wilburys', 'Legacy and influence', 'Catalogue reissue and Genesis Publications book', 'Warhead and fuzing', 'Contact detonation', 'Proximity detonation', 'Damage', 'Direct damage', 'Bubble jet effect', 'Shock effect', 'Control surfaces and hydrodynamics', 'Launch platforms and launchers', 'Ships', 'Airlines and destinations', 'Passenger', 'Cargo', 'Statistics', 'Annual passenger numbers', 'Busiest routes', 'Accolades', 'Ground transportation', 'Tram', 'Bus', 'Nonhuman animals', 'Application to specific issues', 'World poverty', 'See also', 'References', 'Citations', 'Bibliography', 'Further reading'], ['Tanganyika and Zanzibar', 'Union of Soviet Socialist Republics', 'United Arab Republic', 'Yemen and Democratic Yemen', 'Yugoslavia', 'Suspension, expulsion, and withdrawal of members', 'Withdrawal of Indonesia (1965–1966)', 'Observers and non-members', 'See also', 'Notes', 'History', 'Puritan roots and Congregationalist background', 'Universalism', 'Unitarianism', 'Britain', 'United States', 'Limits and colimits', 'Properties', 'Existence and uniqueness', 'Equivalent formulations', 'Relation to adjoint functors', 'History', 'See also', 'Notes', 'References'], ['European contact', 'Franceville', 'Condominium', 'Decolonisation', '"Coconut War"', 'Independent Vanuatu', 'See also', 'References', 'Bibliography', 'Insurgency in the South, 1954–1960', 'North Vietnamese involvement', "Kennedy's escalation, 1961–1963", 'Ousting and assassination of Ngô Đình Diệm', "Johnson's escalation, 1963–1969", 'Gulf of Tonkin incident', 'Bombing of Laos', 'The 1964 Offensive', 'American ground war', 'Tet Offensive']]



['Wikipedia: Roy Chapman Andrews', 'Wikipedia: Rolf Nevanlinna', 'Wikipedia: Stockholm', 'Wikipedia: Sapindales', 'Wikipedia: Telecommunications in Solomon Islands', 'Wikipedia: Stem cell', 'Wikipedia: System request', 'Wikipedia: Soviet submarine K-219', 'Wikipedia: Safety engineering', 'Wikipedia: Secondary education', 'Wikipedia: Tracking shot', 'Wikipedia: Giant cell arteritis', 'Wikipedia: University of Pennsylvania', 'Wikipedia: Germanic umlaut', 'Wikipedia: Uncountable set', 'Wikipedia: Geography of Vanuatu']
[['Freezing', 'Fermenting', 'Pickling', 'Curing', 'Jam and Jelly', 'Canning', 'Public awareness of food preservation', 'References'], ['Toponymy', 'Geography', 'Major towns and cities', 'History', 'Economy', 'Agriculture', 'Tourism', 'Transport', 'Education', 'Demographics', 'Gauss', 'Other statements', 'Jacobi symbol', 'Hilbert symbol', 'Connection with cyclotomic fields', 'Other rings', 'Gaussian integers', 'Eisenstein integers', 'Imaginary quadratic fields', 'Polynomials over a finite field', 'Home media', 'Reception, reaction and legacy', 'Critical reception', 'Cult phenomenon', 'New York City origins', 'Los Angeles, Hollywood', 'San Francisco', 'Fan following', 'Cultural influence', 'LGBT Influence', 'Biography', 'Early life and education', 'Career', 'Association with character "Indiana Jones"', 'Bibliography', 'References', 'Definition', 'Beliefs', 'The Elohim', 'The Elohim on Earth', "The Age of Apocalypse and the Elohim's Return", 'Cloning and survival after death', 'Morality, ethics, and gender roles', 'Religious symbol', 'Practices', 'Sensual meditation', 'Classification', 'Demographics', 'List of religions', 'Religion by region', 'Religious studies', 'Religious concepts', 'Religious belief', 'Primary users', 'Pronunciation', 'Media', 'See also', 'Related technical references', 'Digital HF radio communications systems', 'References', 'Further reading', 'Bibliography', 'Further reading'], ['History', 'Geography', 'Location', 'Stockholm Municipality', 'Stockholm City Centre', 'Söderort', 'See also', 'Notes', 'References', 'Production process', 'Production figures', 'Applications', 'Architecture', 'Use in art and monuments', 'Americas', 'Asia', 'Europe', 'Water', 'Pulp, paper, and biomass conversion', 'Measurements', 'Maritime claims', 'Climate', 'Terrain', 'Extreme Points', 'Natural resources', 'Land use', 'Islands', 'Political map', 'Quarters', 'Military', 'See also', 'References'], ['Randomization-based models', 'Model-based analysis of randomized experiments', 'Model-free randomization inference', 'Paradigms for inference', 'Frequentist inference', 'Examples of frequentist inference', 'Frequentist inference, objectivity, and decision theory', 'Bayesian inference', 'Examples of Bayesian inference', 'Bayesian inference, subjectivity and decision theory', 'References', 'Attacks', 'Possible cases of mistaken identity', 'See also', 'Notes and references', 'Notes', 'References'], ['Health risks', 'Sustainable sushi', 'Presentation', 'Glossary', 'Etiquette', 'Gallery', 'See also', 'References'], ['Classification', 'History', 'Origin', 'Colonial period', 'Current status', 'Tanzania', 'Kenya', 'Religious and political identity', 'Religion', 'Islam', 'Italy', 'Netherlands', 'Norway', 'Poland', 'Portugal', 'Spain', 'Sweden', 'Switzerland', 'United Kingdom', 'England and Wales', 'In popular culture', 'See also', 'Notes', 'References'], ['Explosion', 'Aftermath', 'In popular culture', 'See also', 'Analysis techniques', 'Traditional methods for safety analysis', 'Failure modes and effects analysis', 'Fault tree analysis', 'Oil and gas industry offshore', 'List of abbots', 'Nuns', 'See also', 'Notes and references'], ['Further reading', 'Loanword variations', 'Spoken and literary variants', 'Writing system', 'Numerals and symbols', 'Phonology', 'Vowels', 'Consonants', 'Āytam', 'Grammar', 'Morphology', 'Development', 'Function', 'Thyroid hormones', 'Hormone production', 'Regulation', 'Calcitonin', 'Gene and protein expression', 'Clinical significance', 'Functional disorders', 'Hyperthyroidism', 'References', 'Further reading'], ['Catholic intervention', 'Huguenot rebellions', 'Danish intervention (1625–1630)', 'Mantuan Succession (1628–1631)', 'Swedish intervention (1630–1635)', 'French intervention and continued Swedish participation (1635–1648)', 'The war in the Iberian Peninsula: Spain, Catalonia, Portugal (1640–1648)', 'Peace of Westphalia (1648)', 'Casualties and disease', 'Witch hunts', 'Light Spirits', 'Lokomo', 'Oocca', 'Minish', 'Mogma', 'Parella', 'Rito', 'Sheikah', 'Subrosian', 'Tokay', 'United States', 'Vietnam', 'Sports', 'Company strategy', 'Operations', 'Technology', 'Worldwide presence', 'North America', 'Product line', 'Electric technology', 'Line-ups', 'Musicians', 'Further Wilbury appellation', 'Discography', 'Studio albums', 'Box sets', 'Singles', 'Other charted songs', 'Collaborations between members', 'Notes', 'Submarines', 'Air launch', 'Handling equipment', 'Classes and diameters', 'Use by various navies', 'French Navy', 'German Navy', 'Armed Forces of the Islamic Republic of Iran', 'Imperial Japanese Navy', 'Japan Maritime Self-Defense Force', 'Rail', 'Highway', 'Incidents and accidents', 'See also', 'References'], ['History', 'Early campuses', 'Residential university', 'Educational innovations', 'References'], ['Description', 'Integration, 1825–1961', 'Belief, covenant, and scripture', 'Seven Principles', 'Six Sources', 'Approach to sacred writings', 'Worship and practice', 'Diversity of practices', 'Diversity of congregations', 'Elevator speeches', 'Worship and ritual', 'Characterizations', 'Properties', 'Examples'], ['Terrain', 'See also', 'Vietnamization, 1969–1972', 'Nuclear threats and diplomacy', "Hanoi's war strategy", 'U.S. domestic controversies', 'Collapsing U.S. morale', 'ARVN taking the lead and U.S. ground-force withdrawal', 'Cambodia', 'Laos', 'Easter Offensive and Paris Peace Accords, 1972', 'U.S. exit and final campaigns, 1973–1975']]



['Wikipedia: Proteobacteria', 'Wikipedia: Quantum information', 'Wikipedia: Ridley Scott', 'Wikipedia: Taiwan', 'Wikipedia: Register transfer language', 'Wikipedia: Solanales', 'Wikipedia: Demographics of Saint Lucia', 'Wikipedia: Closings and cancellations following the September 11 attacks', 'Wikipedia: Shinto', 'Wikipedia: Soviet submarine K-8', 'Wikipedia: Justification (epistemology)', 'Wikipedia: Tumor suppressor', 'Wikipedia: USS Reuben James', 'Wikipedia: Demographics of Vanuatu']
[['Characteristics', 'Taxonomy', 'Transformation', 'References', 'Government and politics', 'Administrative divisions', 'Culture', 'Languages', 'Sport', 'See also', 'References', 'Sources'], ['Higher powers', 'See also', 'Notes', 'References'], ['Sequel', 'Remake', 'See also', 'References', 'Bibliography'], ['Further reading'], ['Etymology', 'History', 'Origins', 'Later development', 'Organisation and structure', 'Member hierarchy', 'Order of Angels', 'Seminars', 'Other activities, outreach and advocacy', 'Activism', 'Topless Rights of Women', 'Approaches to the beliefs of others', 'Religious behaviour and experiences', 'Religion-specific topics', 'African traditional and diasporic topics', 'Anitism topics', 'Ayyavazhi topics', 'Baháʼí Faith topics', 'Buddhism topics', 'Cao Dai topics', 'Christianity topics', 'In GCC', 'History', 'See also', 'References'], ['Background', 'Education', 'Career', 'Administrative activities', 'Political activities', 'Nevanlinna Prize', 'See also', 'References', 'Sources'], ['Västerort', 'Climate', 'Daylight hours', 'City governance', 'Fibre optic network', 'Education', 'Demographics', 'Culture', 'Literature', 'Architecture', 'References', 'Bibliography', 'Taxonomy', 'Chemical and petrochemical processing', 'Food and beverage', 'Vehicles', 'Medicine', 'Energy', 'Culinary', 'Jewelry', 'Firearms', '3D printing', 'Life cycle cost', 'Natural hazards', 'Environment', 'Current issues', 'International agreements', 'See also', 'References', 'Telephones', 'Connectivity', 'Radio', 'Television', 'Internet', 'References', 'Likelihood-based inference', 'AIC-based inference', 'Other paradigms for inference', 'Minimum description length', 'Fiducial inference', 'Structural inference', 'Inference topics', 'History', 'See also', 'Notes', 'History', 'Properties', 'Self-renewal', 'Potency meaning', 'Identification', 'Embryonic', 'Mesenchymal stem cells', 'Cell cycle control', 'Fetal', 'Lower Manhattan', 'Bridges and tunnels', 'Mass transit', 'New York City Subway', 'PATH', 'Ferries', 'Definition', 'Categorization', 'Etymology', 'Beliefs', 'Christianity', 'Politics', 'Phonology', 'Vowels', 'Consonants', 'Orthography', 'Grammar', 'Noun classes', 'Semantic motivation', 'Agreement', 'Scotland', 'South America', 'Argentina', 'Brazil', 'Chile', 'Venezuela', 'North America', 'Canada', 'United States', 'Civil defamation', 'History', 'Modern uses', 'Similar keys', 'See also', 'References', 'Notes', 'References', 'Accidents', 'Safety certification', 'Preventing failure', 'Safety and reliability', 'See also', 'Associations', 'References', 'Notes', 'Sources'], ['Definition', 'History', 'Renaissance and reformation', 'Industrialisation', 'Universal Education', 'Right to a secondary education', 'Future directions for secondary education', 'Syntax', 'Vocabulary', 'Influence', 'Sample text', 'See also', 'Footnotes', 'References', 'Further reading'], ['Hypothyroidism', 'Diseases', "Graves' disease", 'Nodules', 'Goitre', 'Inflammation', 'Cancer', 'Congenital', 'Iodine', 'Evaluation', 'Variant', 'Use in sporting events', 'See also', 'References', 'Political consequences', 'Outside Europe', 'Involvement', 'In fiction', 'Novels', 'Theatre', 'Film', 'Other', 'Gallery', 'See also', 'Twili', 'Wizzrobes', 'Yeti', 'Zora', 'Creatures', 'Reception', 'See also', 'References', 'Hybrid electric vehicles', 'Plug-in hybrids', 'All-electric vehicles', 'Hydrogen fuel-cell', 'Cars', 'SUVs and crossovers', 'Pickup trucks', 'Luxury-type vehicles', 'Buses', 'Pleasure boats', 'References', 'Sources'], ['Indian Navy', 'Royal Canadian Navy', 'Royal Navy', 'Russian Navy', 'U.S. Navy', 'See also', 'Notes', 'References'], ['Signs and symptoms', 'Associated conditions', 'Mechanism', 'Diagnosis', 'Physical exam', 'Laboratory tests', 'Biopsy', 'Motto', 'Seal', 'Campus', 'The University Museum', 'Residences', 'Campus police', 'Academics', 'Coordinated dual-degree and interdisciplinary programs', 'Academic medical center and biomedical research complex', 'Admissions selectivity', 'Outcomes in modern spelling and pronunciation', 'German orthography', 'Orthography and design history', 'Morphological effects', 'Parallel umlauts in some modern Germanic languages', 'Umlaut in Germanic verbs', 'Present stem Umlaut in strong verbs', 'Present stem Umlaut in weak verbs ("Rückumlaut")', 'Umlaut as a subjunctive marker', 'Historical survey by language', 'Symbols', 'Services of worship', 'Politics', 'Historical politics of Unitarians and Universalists', 'Politics of Unitarian Universalists', 'Controversies', 'External', 'Lack of formal creed', 'Confusion with other groups', 'Internal', 'Without the axiom of choice', 'See also', 'References'], ['References', 'CIA World Factbook demographic statistics', 'Population', 'Campaign 275', 'Final North Vietnamese offensive', 'Fall of Saigon', 'Opposition to U.S. involvement, 1964–1973', 'Involvement of other countries', 'Pro-Hanoi', 'China', 'Soviet Union', 'Czechoslovakia', 'North Korea']]



['Wikipedia: Professional wrestling', 'Wikipedia: Palestinian views on the peace process', 'Wikipedia: Remote procedure call', 'Wikipedia: Red panda', 'Wikipedia: Sheepshead (card game)', 'Wikipedia: Transport in Solomon Islands', 'Wikipedia: Survey sampling', 'Wikipedia: Split infinitive', 'Wikipedia: Soviet submarine K-19', 'Wikipedia: SIGGRAPH', 'Wikipedia: Serotonin syndrome', 'Wikipedia: Truth', 'Wikipedia: Traducianism', 'Wikipedia: The Angry Brigade', 'Wikipedia: Turkish cuisine', 'Wikipedia: Transient ischemic attack', 'Wikipedia: Unbreakable (film)']
[[], ['History', 'Scope and influence', 'Background', 'Yasser Arafat and the PLO', 'Hamas and the Palestinian Islamic Jihad', 'Prominent Palestinians', 'Qubits and quantum information', 'Quantum information processing', 'Relation to quantum mechanics', 'Journals', 'See also', 'Notes', 'References', 'Early life', 'Early films', 'The Duellists', 'Alien', 'Blade Runner', '"1984" Apple Macintosh commercial', 'Legend', 'History', 'Early settlement (prehistory–1683)', 'Qing rule (1683–1895)', 'Japanese rule (1895–1945)', 'Republic of China (1912–1949)', 'Republic of China and Taiwan (1949–present)', 'Martial law era (1949–1987)', 'Post-martial law era (1987–present)', 'Geography', 'Climate', 'Intentional controversy', 'Demographics', 'Conversion and deconversion', 'Reception', 'See also', 'Notes', 'References', 'Citations', 'Sources', 'Further reading', 'Hinduism topics', 'Islam topics', 'Jainism topics', 'Judaism topics', 'Modern Paganism topics', 'New Age topics', 'New religious movement topics', 'Open source religion topics', 'Rasta topics', 'Satanism topics', 'History and origins', 'Message passing', 'Sequence of events', 'Physical characteristics', 'Distribution and habitat', 'Behavior and ecology', 'Museums', 'Art galleries', 'Suburbs', 'Theatres', 'Amusement park', 'Media', 'Sports', 'Cuisine', 'Yearly events', 'Environment', 'References'], ['Etymology', 'Sustainability–recycling and reuse', 'Nanoscale stainless steel', 'Health effects', 'Welding', 'Cooking', 'See also', 'References', 'Further reading', 'Population', 'Vital statistics', 'Structure of the population', 'Ethnic groups', 'Languages', 'Religion', 'References', 'Statistics', 'References'], ['References', 'Citations', 'Sources', 'Further reading'], ['Adult', 'Amniotic', 'Induced pluripotent', 'Lineage', 'Therapies', 'Advantages', 'Disadvantages', 'Stem cell tourism', 'Research', 'Treatment', 'Buses', 'Intercity transit', 'North American airspace', 'Precautionary building closings and evacuations', 'United States', 'International', 'Government and cultural cancellations and postponements', 'References', 'Kami', 'Cosmology and afterlife', 'Purity and impurity', 'Kannagara, morality, and ethics', 'Practice', 'Shrines', 'Priesthood and miko', 'Visits to shrines', 'Harae and hōbei', 'Home Shrines', 'Dialects and closely related languages', 'Dialects', 'Old dialects', 'Other regions', 'Swahili poets', 'See also', 'References', 'Sources'], ['Defamation per se', 'Record awards', 'Group Defamation', 'Beauharnais v. Illinois', 'Mexico', 'Australasia', 'Australia', 'New Zealand', 'Religious law', 'Related torts', 'History of the construction', 'Middle English', 'Modern English', 'Theories of origins', 'Analogy', 'Transformational grammar', '1960 loss of coolant', '1970 Bay of Biscay fire', 'See also', 'References', 'Further reading', 'Overview', 'SIGGRAPH Proceedings', 'Awards Programs', 'Conference', 'Promoting the Rule of Law', 'By country', 'See also', 'Sources', 'References', 'Bibliography', 'Definition and etymology', 'Major theories', 'Substantive', 'Correspondence', 'Tests', 'Imaging', 'History', 'Antiquity', 'Scientific era', 'Surgery', 'Other animals', 'See also', 'References', 'Books', 'Justification and knowledge', 'Conceptions of justification', 'Theories of justification', 'Criticism of theories of justification', 'See also', 'References'], ['Stanford Encyclopedia of Philosophy', 'Internet Encyclopedia of Philosophy', 'Notes', 'References', 'Citations', 'Sources', 'Primary sources', 'Further reading'], ['History', 'Supporters', 'Arguments in support', 'Arguments in opposition', 'See also', 'Motorsports', 'TRD', 'Non-automotive activities', 'Aerospace', 'Philanthropy', 'Higher education', 'Robotics', 'Agricultural biotechnology', 'Sewing machine technology', 'Smart City', 'Two-hit hypothesis', 'Functions', 'Examples', 'See also', 'References'], ['Culinary customs', 'Breakfast', 'Homemade food', 'Restaurants', 'Medical imaging', 'Treatment', 'Epidemiology', 'Terminology', 'References'], ['Research, innovations and discoveries', 'Academic profile', 'International partnerships', 'Rankings', 'Graduate and professional programs', 'Executive salary', 'Student life', 'Demographics', 'Penn Face and suicides', 'Selected student organizations', 'West Germanic languages', 'I-mutation in Old English', 'Notes', 'I-mutation in High German', 'I-mutation in Old Saxon', 'I-mutation in Dutch', 'North Germanic languages', 'See also', 'References', 'Bibliography', 'Language of reverence', 'Borrowing from other religions', 'Racism', 'Organizations', 'Number of members', 'Notable members', 'Notable congregations', 'See also', 'References', 'Further reading', 'All set index articles', 'Articles with short description', 'Set indices on ships', 'Short description is different from Wikidata', 'United States Navy ship names', 'Age structure', 'Population growth rate', 'Birth rate', 'Death rate', 'Net migration rate', 'Sex ratio', 'Infant mortality rate', 'Life expectancy at birth', 'Total fertility rate', 'Nationality', 'Cuba', 'Other Eastern Bloc countries', 'Pro-Saigon', 'South Korea', 'Thailand', 'Australia and New Zealand', 'Philippines', 'Taiwan', 'Neutral and non-belligerent nations', 'Canada']]



['Wikipedia: Product ring', 'Wikipedia: Quinolone', 'Wikipedia: Romantic music', 'Wikipedia: Stig Anderson', 'Wikipedia: Politics of Saint Lucia', 'Wikipedia: Somalia', 'Wikipedia: Sappho', 'Wikipedia: Memorials and services for the September 11 attacks', 'Wikipedia: Swahili', 'Wikipedia: Sweetbread', 'Wikipedia: Semtex', 'Wikipedia: The Singularity (Agents of S.H.I.E.L.D.)', 'Wikipedia: Regress argument', 'Wikipedia: Talking Head', 'Wikipedia: Transformation', 'Wikipedia: United Airlines Flight 175', 'Wikipedia: Urea cycle', 'Wikipedia: Politics of Vanuatu']
[['Genre conventions', 'Kayfabe', 'Aspects of performing art', 'Rules', 'General structure', 'Tag rules', 'Decisions', 'Pinfall', 'Submission', 'Knockout', 'See also', 'References'], ['All set index articles', 'Articles with short description', 'Chemistry set index pages', 'Monitored short pages', 'Subsequent films', '1987–1999', '2000–2005', 'Recent and upcoming films', '2006–2011', '2012–present', 'Future projects', 'Television projects', 'Personal life', 'Approach and style', 'Geology', 'Political and legal status', 'Relations with the PRC', 'Foreign relations', 'Participation in international events and organizations', 'Domestic opinion', 'Government and politics', 'Major camps', 'Current political issues', 'National identity', 'Secondary sources', 'Primary sources'], ['Shintō topics', 'Sikhism topics', 'Spiritism topics', 'Tenrikyo topics', 'Unitarian Universalism topics', 'Vegetarianism and religion topics', 'Zoroastrianism topics', 'Irreligion topics', 'Religion and religious ideas in fiction', 'See also', 'Standard contact mechanisms', 'Analogues', 'Language-specific', 'Application-specific', 'General', 'See also', 'References'], ['Behavior', 'Diet', 'Reproduction', 'Threats', 'Conservation', 'In situ initiatives', 'In captivity', 'Taxonomy', 'Phylogeny', 'Evolutionary history', 'Green city with a national urban park', 'Role model', 'Air quality', 'Transport', 'Public Transportation', 'The City Line Project', 'Roads', 'Congestion charges', 'Ferries', 'City bikes', 'Rules', 'Preparation', 'Card strength', 'Scoring', 'The deal', 'Picking', 'Game play', 'Strategy', 'Picker and partner', 'Opponents', 'Early life and management before ABBA', 'ABBA', 'Legal disputes', 'Polar Music Prize', 'Personal life and death', 'History', 'Executive branch', 'Legislative branch', 'History', 'Prehistory', 'Antiquity and classical era', 'Birth of Islam and the Middle Ages', 'Portuguese', 'Early modern era and the scramble for Africa', 'Probability sampling', 'Bias in probability sampling', 'Non-probability sampling', 'See also', 'References', 'Further reading'], ['See also', 'References', 'Further reading'], ['List', 'Temporary memorials', 'In other countries', 'Permanent memorials', 'Structures', 'Ema, divination, and amulets', 'Kagura', 'Festivals', 'Rites of passage', 'Divination and spirit mediumship', 'History', 'Before Shinto', 'Kofun period', 'Asuka period', 'Hakuhō period', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'See also', 'References', 'Citations', 'Sources'], ['Types', 'History of the term', 'History of the controversy', 'Principal objections to the split infinitive', 'The descriptivist objection', 'The argument from the full infinitive', 'The argument from classical languages', 'Current views', 'Avoiding split infinitives', 'See also', 'Background', 'Construction deaths', 'Gains unlucky reputation', 'Early problems', 'Nuclear accident', 'Deceased crew members', 'Crew members decorated', 'Later operational history', 'See also', 'References'], ['Signs and symptoms', 'Cause', 'Pathophysiology', 'Spectrum concept', 'Diagnosis', 'Differential diagnosis', 'Management', 'Coherence', 'Pragmatic', 'Constructivist', 'Consensus', 'Minimalist', 'Deflationary', 'Performative', 'Redundancy and related', 'Philosophical skepticism', 'Pluralist'], ['Plot', 'Production', 'Origin', 'Structure', 'Responses', 'Music', 'Television, theatre and film', 'Episodes', 'References', 'Sources', 'Science and mathematics', 'Environmental record', 'Production and sales numbers', 'Labor problems', 'Death from overwork', 'June 2010 Chinese labour strike', 'See also', 'Notes', 'References'], ['History', 'Origins', '1970s', 'Resurfaced Angry Brigade of the 1980s', 'Aftermath', 'Cultural influence', 'Literature', 'Summer cuisine', 'Key ingredients', 'Oils and fats', 'Fruit', 'Meats', 'Dishes and foods', 'Dairy products', 'Cheeses', 'Soups', 'Bread', 'Signs and symptoms', 'TIA versus mimics', 'Cause', 'Risk factors', 'Pathogenesis', 'Diagnosis', 'Laboratory workup', 'Athletics', 'Rowing', 'Rugby', 'Cricket', 'Football', 'Basketball', 'Facilities', 'Notable people', 'See also', 'Notes', 'Background', 'Flight', 'Aircraft'], ['Function', 'Reactions', 'Plot', 'Cast', 'Production', 'Soundtrack', 'Comic book references', 'Reception', 'Box office', 'Ethnic groups', 'Religions', 'Languages', 'Literacy', 'References', 'Poland', 'Spain', 'Brazil', 'United Front for the Liberation of Oppressed Races (FULRO)', 'War crimes', 'South Vietnamese, Korean and American', 'North Vietnamese and Viet Cong', 'Women', 'American nurses', 'Vietnamese soldiers']]



['Wikipedia: Posthumanism', 'Wikipedia: Quarterback', 'Wikipedia: Raven', 'Wikipedia: Russian submarine Kursk (K-141)', 'Wikipedia: Soft drink', 'Wikipedia: Economy of Saint Lucia', 'Wikipedia: Statistical theory', 'Wikipedia: Summary offence', 'Wikipedia: Principality of Sealand', 'Wikipedia: Symmetric group', 'Wikipedia: Schedl', 'Wikipedia: Table tennis', 'Wikipedia: Tabloid (newspaper format)', 'Wikipedia: Ultramagnetic MCs']
[['Countout', 'Disqualification', 'Forfeit', 'Draw', 'No contest', 'Dramatic elements', 'Character/gimmick', 'Story', 'Promos', 'Championships', 'Examples', 'Properties', 'See also', 'Notes', 'References', 'Short description is different from Wikidata', 'Overview', 'Leadership', "DVD format and Director's Cut", 'Accolades', 'Academy Awards', 'American Film Institute', 'BAFTA Awards', 'Cannes Film Festival', 'Directors Guild of America', 'Primetime Emmy Award', 'Golden Globe Awards', 'National Board of Review', 'Administrative divisions', 'Military', 'Economy', 'Transport', 'Education', 'Demographics', 'Largest cities and counties', 'Ethnic groups', 'Languages', 'Religion', 'Background', 'Traits', 'Trends of the 19th century', 'Non-musical influences', 'Nationalism', 'See also', 'References', 'Further reading'], ['References'], ['Etymology', 'Construction', 'Capabilities', 'Deployments', 'Naval exercise and disaster', 'Explosion', 'Etymology', 'Native names', 'English names', 'Cultural depictions', 'References', 'Further reading'], ['Airports', 'Inter-city trains', 'International rankings', 'Twin cities and towns', 'See also', 'Notes', 'References'], ['All players', 'Play variations', 'Partners', 'Called Ace', 'Jack of diamonds', 'Calling sheepshead', 'Double on the bump', 'Cracking', 'Blitzing or blitzers', 'Trump', 'References', 'Sources', 'Terminology', 'Political parties and elections', 'Judicial branch', 'Administrative divisions', 'See also', 'Independence (1960–1969)', 'Somali Democratic Republic (1969–1991)', 'Somali Civil War', 'Transitional institutions', 'Islamic Courts Union and Ethiopian intervention', 'Coalition government', 'Federal government', 'Geography', 'Regions and districts', 'Location', 'Scope', 'Modelling', 'Data collection', 'Summarising data', 'Ancient sources', 'Life', 'Works', 'Ancient editions', 'Surviving poetry', 'Style', 'Sexuality', 'Legacy', 'Ancient reputation', 'Other designations', 'Performances and benefits', '2001 events', '2002 and later events', '10th anniversary memorial services', 'Annual commemorations', 'Memorial flags', 'Virtual memorials', 'Planned September 11 memorials', 'Gallery', 'Nara period', 'Syncretism with Buddhism', 'Kokugaku', 'State Shinto', 'Post-war', 'Demographics', 'Outside Japan', 'Study of Shinto', 'See also', 'Notes', 'Language and nationality disambiguation pages', 'Short description is different from Wikidata', 'Canada', 'See also', 'References', 'Notes', 'References', 'Further reading'], ['Collision', 'Fires', 'Reclassification', 'Decommissioning', 'Theatre and film', 'See also', 'References'], ['Composition', 'History', 'Notes', 'References'], ['Agitation', 'Hyperthermia', 'Prognosis', 'Epidemiology', 'Notable cases', 'See also', 'References'], ['Most-believed', 'Formal theories', 'Logic', 'Mathematics', "Tarski's semantics", "Kripke's semantics", 'Folk beliefs', 'Notable views', 'Ancient philosophy', 'Ancient Greece', 'Development', 'Casting', 'Filming', 'Broadcast', 'Reception', 'Ratings', 'References'], ['Foundationalism', 'Coherentism', 'Infinitism', 'Skepticism', 'Synthesized approaches', 'Common sense', 'Critical philosophy', 'Pragmatism', 'See also', 'References', 'History', 'Rule changes', 'Equipment', 'Ball', 'Table', 'Racket/paddle', 'In biology and medicine', 'In mathematics', 'In physics and chemistry', 'In other sciences', 'Arts and entertainment', 'In music', 'In other arts and entertainment', 'In business and technology', 'In business', 'In computing', 'Etymology', 'Types', 'Red top tabloids', 'Compact tabloids', 'Radio', 'Television', 'See also', 'Notes', 'References', 'Further reading'], ['Pastries', 'Pilav and pasta', 'Vegetarian dishes', 'Vegetable dishes', 'Egg dishes', 'Meze and salads', 'Dolma and sarma', 'Meat dishes', 'Kebabs', 'Fish', 'Cardiac rhythm monitoring', 'Imaging', 'Differential diagnosis', 'Prevention', 'Treatment', 'Lifestyle modification', 'Antiplatelet medications', 'Anticoagulant medications', 'Blood pressure control', 'Cholesterol control', 'References'], ['History', 'Passengers and crew (excluding hijackers)', 'Boarding', 'Hijacking', 'Near-collisions', 'Calls', 'Crash', 'Collapse', 'Aftermath', 'Nationalities of dead', 'See also', 'First reaction: entering the urea cycle', 'Steps of the urea cycle', 'Overall reaction equation', 'Products of the urea cycle', 'Regulation', 'N-Acetylglutamic acid', 'Substrate concentrations', 'Link with the citric acid cycle', 'Urea cycle disorders', 'Individual disorders', 'Critical response', 'Home media', 'Accolades', 'Sequels', 'Split', 'Glass', 'See also', 'References'], ['Executive branch', 'Attorney General of Vanuatu', 'Solicitor General of Vanuatu', 'Legislative branch', 'Political culture', 'Judicial branch', 'Political history', 'See also', 'Journalists', 'Black servicemen', 'Weapons', 'Radio communications', 'Extent of U.S. bombings', 'Aftermath', 'Events in Southeast Asia', 'Effect on the United States', 'Views on the war', 'Cost of the war']]



['Wikipedia: Rapids', 'Wikipedia: Romani people', 'Wikipedia: Roppongi', 'Wikipedia: Stamp collecting', 'Wikipedia: Airport security repercussions due to the September 11 attacks', 'Wikipedia: Shell', 'Wikipedia: List of Seleucid rulers', 'Wikipedia: Sustainable development', 'Wikipedia: Thomas Mann', 'Wikipedia: Justification for the state', 'Wikipedia: Tulsa race massacre', 'Wikipedia: Bolzano–Weierstrass theorem', 'Wikipedia: Transverse myelitis', 'Wikipedia: United States Department of State', 'Wikipedia: Ugo Nespolo', 'Wikipedia: Constitution Party (United States)', 'Wikipedia: Economy of Vanuatu']
[['Non-standard matches', 'Ring entrance', 'Wrestlers', "Women's wrestling", 'Intergender wrestling', 'Midget wrestling', 'Styles and characteristics in different countries', 'Culture', 'Professional wrestling in mainstream culture', 'Study and analysis of professional wrestling', 'Philosophical posthumanism', 'Emergence of philosophical posthumanism', 'Contemporary posthuman discourse', 'Relationship with transhumanism', 'Criticism', 'See also', 'References', 'Works cited', 'Backup', 'Trends and other roles', 'Special tactics', 'Dual-threat quarterbacks', 'Two-quarterback system', 'History', 'Race', 'See also', 'References', 'Bibliography', 'Saturn Awards', 'Satellite Awards', 'Visual Effects Society', 'Awards received by Scott movies', 'Directed Academy Award Performances', 'Filmography', 'Box office performance', 'References'], ['LGBTQ', 'Public health', 'Culture', 'Sports', 'Calendar', 'See also', 'Notes', 'Words in native languages', 'References', 'Citations', 'See also', 'References'], ['Current species', 'Extinct species', 'See also', 'References'], ['Rescue attempts', 'Submarine recovery', 'Official inquiry results', 'Alternative explanation', 'Media', 'Books', 'Songs', 'Theatre', 'Movies', 'See also', 'History', 'Nightlife', 'Controversies', 'Economy', 'Rail and subway stations', 'Education', 'Collecting', 'History', 'Modern Collecting', 'Equipment', 'Acquiring stamps', 'Diamonds vs. clubs', 'Spitz', 'No picker', 'Forced pick', 'Leasters', 'Mosters', 'Doublers', 'The pot', 'Variations in the number of players', 'Two-handed', 'History', 'Carbonated drinks', 'Mass market and industrialization', 'Consumption', 'Production', 'Producers', 'Health concerns', 'Obesity and weight-related diseases', 'Dental decay', 'Hypokalemia', 'Economic history', 'Sectors', 'Agriculture', 'Tourism', 'Economic trends', 'Overview', 'Regional economic ties', 'Economic statistics', 'References', 'Waters', 'Habitat', 'Environment', 'Climate', 'Wildlife', 'Politics and government', 'Foreign relations', 'Military', 'Human rights', 'Economy', 'Interpreting data', 'Applied statistical inference', 'See also', 'References', 'Citations', 'Sources', 'Further reading'], ['Modern reception', 'See also', 'Notes', 'References', 'Works cited', 'Further reading'], ['See also', 'References'], ['References', 'Citations', 'Sources', 'Further reading'], ['Summary conviction offences', 'Indictable offences', 'Hong Kong', 'United Kingdom', 'United States', 'See also', 'References', 'History', 'HM Fort Roughs', 'Occupation and establishment', 'Attack in 1978 and the Sealand Rebel Government', '2006 fire', 'Attempted sales', 'Death of founder', 'Passport applications', 'Legal status', 'Definition and first properties', 'Applications', 'Elements', 'Multiplication', 'Verification of group axioms', 'Transpositions', 'Cycles', 'Special elements', 'Conjugacy classes', 'Background', 'Seleucid rulers', 'Family tree', 'See also', 'References', 'All set index articles', 'Articles with short description', 'German-language surnames', 'Short description is different from Wikidata', 'Surnames', 'History of sustainability', 'The Concept of Sustainable Developed', 'UN Decade for Sustainable Development', 'Sub-groups', 'Environmental (or ecological)', 'Socratic philosophy', 'Non-Socratic philosophy', 'Medieval philosophy', 'Avicenna (980–1037)', 'Aquinas (1225–1274)', 'Changing concepts of truth in the Middle Ages', 'Modern philosophy', 'Kant (1724–1804)', 'Hegel (1770–1831)', 'Schopenhauer (1788–1860)', 'Life', 'Pre-war and Second World War period', 'Anti-Nazi broadcasts', 'Last years', 'Work', 'Transcendent sovereignty', 'Self-aggrandizement', 'The social contract', 'Gameplay', 'Starting a game', 'Service and return', 'Let', 'Scoring', 'Alternation of services and ends', 'Doubles game', 'Expedite system', 'Grips', 'Penhold', 'Other uses', 'See also', 'Background', 'International use', 'Africa', 'Asia', 'Europe', 'North America', 'Oceania', 'South America', 'As a weekly alternative newspaper', 'See also', 'References', 'History and significance', 'Proof', 'Alternative proof', 'Sequential compactness in Euclidean spaces', 'Application to economics', 'See also', 'Desserts', 'Street food', 'Beverages', 'Alcoholic beverages', 'Non-alcoholic beverages', 'Related cuisines', 'See also', 'References', 'Bibliography'], ['Diabetes control', 'Surgery', 'Prognosis', 'Epidemiology', 'References'], ['Discography', 'Albums', 'Collaborations', 'Compilations', 'Singles', 'Appearances', 'References'], ['Notes', 'References'], ['Additional images', 'References'], ['History', 'Affiliated organizations', 'Changes in affiliation', 'The Nebraska Party', 'References', 'Literature', 'Economic sectors', 'Impact on the U.S. military', 'Effects of U.S. chemical defoliation', 'Casualties', 'In popular culture', 'Myths', 'Commemoration', 'See also', 'Annotations', 'References', 'Citations']]



['Wikipedia: Parameter', 'Wikipedia: Quadrilateral', 'Wikipedia: History of the Republic of the Congo', 'Wikipedia: Rugby league', 'Wikipedia: Rutherfordium', 'Wikipedia: Radiation therapy', 'Wikipedia: Robert Louis Stevenson', 'Wikipedia: Telecommunications in Saint Lucia', 'Wikipedia: Statistical unit', 'Wikipedia: Simon bar Kokhba', 'Wikipedia: Szczecin', 'Wikipedia: Super Bowl I', 'Wikipedia: Lehi (militant group)', 'Wikipedia: Tertiary', 'Wikipedia: Tibetan Buddhism', 'Wikipedia: Tabula rasa', 'Wikipedia: Tourmaline', 'Wikipedia: University of Oxford', 'Wikipedia: Virtual reality']
[['Injury and fatality', 'See also', 'Terminology', 'Lists of wrestlers', 'Types of professional wrestling', 'Radio programs', 'In fiction', 'References', 'Citations', 'Sources', 'Modelization', 'Mathematical functions', 'Examples', 'Simple quadrilaterals', 'Convex quadrilaterals', 'Concave quadrilaterals', 'Bantus and Pygmies', 'Portuguese exploration', 'Revolts', "Congo's disintegration", 'Works cited', 'Further reading'], ['Overviews and data', 'Government agencies', 'Introduction', 'History', 'Discovery', 'Naming controversy', 'Names', 'Exonyms', 'Endonyms', 'Romani usage', 'English usage', 'Other designations', 'Population and subgroups', 'Romani population', 'References'], ['Medical uses', 'References'], ['Life', 'Collecting specialties', 'Organizations', 'Rare stamps', 'Some of the most valuable stamps in the world', 'Catalogues', 'Notable collectors', 'See also', 'References and sources', 'Further reading'], ['Three-handed', 'Four-handed', 'Five-handed', 'Six-handed', 'Seven-handed', 'Eight-handed', 'Glossary / Slang', 'Mauer', 'Schmear', 'Renege (Cheating)', 'Bone density and bone loss', 'Sugar content', 'Benzene', 'Pesticides in India', 'Kidney stones', 'Government regulation', 'Schools', 'Taxation', 'Bans', 'See also', 'Telephone', 'Radio', 'Television', 'Agriculture', 'Monetary and payment system', 'Energy and natural resources', 'Telecommunications and Media', 'Tourism', 'Transport', 'Demographics', 'Languages', 'Urban areas', 'Religion', 'See also', 'Bibliography', 'Design of experiments', 'Sampling', 'Name', 'Revolt', 'Character', 'Talmud', 'Eusebius', 'In popular culture', 'Changes in airport security', 'Improved security on aircraft', 'Improved security screening', 'Identification checks', 'Criticism', 'Lawsuit', 'See also', 'References', 'Architecture and design', 'Science', 'Biology', 'Physics and chemistry', 'Mathematics', 'Organisations', 'Computing', 'Entertainment', 'Name and etymology', 'History', 'Middle Ages', '17th to 19th centuries', '19th–20th centuries', 'World War II', 'Administration', 'Business operations', 'Coins and stamps', 'HavenCo', 'Sports', 'Notes', 'References', 'Further reading'], ['Low degree groups', 'Maps between symmetric groups', 'Relation with alternating group', 'Generators and relations', 'Subgroup structure', 'Normal subgroups', 'Maximal subgroups', 'Sylow subgroups', "Cayley's theorem", 'Automorphism group'], ['Background', 'Origins', 'Founding of Lehi', 'Goals and methods', '18 Principles of Rebirth', 'Relationship with fascism and socialism', 'Racism', 'Evolution and tactics of the organization', 'Agriculture', 'Economics', 'Environmental economics', 'Energy', 'Manufacturing', 'Technology', 'Transport', 'Business', 'Income', 'Architecture', 'Kierkegaard (1813–1855)', 'Nietzsche (1844–1900)', 'Heidegger (1889–1976)', 'Whitehead (1861–1947)', 'Peirce (1839–1914)', 'Nishida (1870–1945)', 'Fromm (1900–1980)', 'Foucault (1926–1984)', 'Baudrillard (1929–2007)', 'Theological views', 'Sexuality', 'Cultural references', 'The Magic Mountain', 'Death in Venice', 'Other', 'Political views', 'Views on Russian communism and Nazi-fascism', 'Literary works', 'Play', 'Prose sketch', 'Public goods', 'Political ideologies', 'See also', 'References', 'Shakehand', 'Seemiller', 'Stance', 'Types of strokes', 'Offensive strokes', 'Hit', 'Loop', 'Counter-hit', 'Flip', 'Smash', 'Monday, May 30, 1921 – Memorial Day', 'Encounter in the elevator', 'Brief investigation', 'Tuesday, May 31, 1921', 'Suspect arrested', 'Newspaper coverage', 'Stand-off at the courthouse', 'Taking up arms', 'Second offer', 'Massacre', 'Nomenclature', 'History', 'First dissemination (7th-9th centuries)', 'Notes', 'References'], ['Etymology', 'History', 'Species and varieties', 'Signs and symptoms', 'Causes', 'Pathophysiology', 'Longitudinally extensive transverse myelitis', 'Diagnosis', 'Diagnostic criteria', 'Investigations', 'History', 'Founding', 'Renaissance period', 'Modern period', 'Students', 'History', 'Duties and responsibilities', 'Organization', 'Core activities', 'Secretary of State', 'Staff', 'Other agencies', 'Vacancies', 'Diplomats in Residence', 'The Fulbright Program', 'Life and works', 'Cinema', 'Applied arts', 'Theatre', 'Palio and traditions', 'Selected exhibitions', 'Filmography', 'References'], ['North Carolina', 'Oregon', 'West Virginia', 'State disaffiliations', 'Platform', 'Current platform', 'Platform topics', 'Electoral College', 'Fiscal policy', 'Social Security phase-out', 'Financial sector', 'Fishing industry', 'Mining industry', 'Agricultural sector', 'Tourism sector', 'Exports', 'Reform', 'Traditional economy', 'Economic statistics', 'See also', 'Primary sources', 'Secondary sources', 'Historiography and memory', 'Further reading'], []]



['Wikipedia: Pauli matrices', 'Wikipedia: Sigmund Freud', 'Wikipedia: Sockerdricka', 'Wikipedia: Transport in Saint Lucia', 'Wikipedia: Statistical assembly', 'Wikipedia: Schizophrenia', 'Wikipedia: U.S. government response to the September 11 attacks', 'Wikipedia: Scottish Rite', 'Wikipedia: Sweetener (disambiguation)', 'Wikipedia: SMS (disambiguation)', 'Wikipedia: Tamara E. Jernigan', 'Wikipedia: Ulster', 'Wikipedia: Telecommunications in Vanuatu']
[[], ['Algebraic properties', 'Eigenvectors and eigenvalues', 'Mathematical models', 'Analytic geometry', 'Mathematical analysis', 'Statistics and econometrics', 'Probability theory', 'Computer programming', 'Environmental science', 'Linguistics', 'Logic', 'Music', 'Complex quadrilaterals', 'Special line segments', 'Area of a convex quadrilateral', 'Trigonometric formulas', 'Non-trigonometric formulas', 'Vector formulas', 'Diagonals', 'Properties of the diagonals in some quadrilaterals', 'Lengths of the diagonals', "Generalizations of the parallelogram law and Ptolemy's theorem", 'French rule', 'Scramble for raw materials', 'Pierre Savorgnan de Brazza', 'Establishing control', 'French administration', '1940s and Reforms', 'World War II', 'Felix Eboué', 'Rise of nationalism', 'Road to independence', 'Etymology', 'History', 'Rules', 'Laws of the game', 'Comparison with rugby union', 'Positions', 'Backs', 'Forwards', 'Isotopes', 'Stability and half-lives', 'Predicted properties', 'Chemical', 'Physical and atomic', 'Experimental chemistry', 'Gas phase', 'Aqueous phase', 'Notes', 'References', 'Romani subgroups', 'Diaspora', 'Origin', 'Shahnameh legend', 'Linguistic evidence', 'Genetic evidence', 'Possible migration route', 'History', 'Arrival in Europe', 'Early modern history', 'Side effects', 'Acute side effects', 'Late side effects', 'Cumulative side effects', 'Effects on reproduction', 'Effects on pituitary system', 'Radiation therapy accidents', 'Use in non-cancerous diseases', 'Technique', 'Mechanism of action', 'Childhood and youth', 'Education', 'Early writing and travels', 'Marriage', 'Attempted settlement in Europe and the US', 'Politics', 'Journey to the Pacific', 'Last years', 'Modern reception', 'Monuments and commemoration', 'Biography', 'Early Life and Education', 'Early career and marriage', 'Granny hand', 'Bumping', 'Collusion (Cheating)', 'Throwing Off / Slough', 'See also', 'References', 'Further reading'], ['References', 'Further reading'], ['Internet', 'By air', 'By sea', 'Health', 'Education', 'Culture', 'Cuisine', 'Music', 'Literature', 'Sports', 'Architecture', 'See also', 'References'], ['The Bar Kokhba game', 'See also', 'Notes', 'References', 'Bibliography'], ['Rescue, recovery, and compensation', 'War on Terrorism', 'Arrests', 'Domestic response', 'Investigations', 'Places', 'Weaponry', 'Persons with the surname Shell', 'Other uses', 'See also', 'After 1945', 'Geography', 'Climate', 'Architecture and urban planning', 'Municipal administration', 'Other historical neighbourhoods', 'Demographics', 'Politics', 'Members of European Parliament (MEPs) from Szczecin', 'Museums and galleries', 'Music', 'See also', 'Homology', 'Representation theory', 'See also', 'Notes', 'References'], ['Kansas City Chiefs', 'Green Bay Packers', 'Pregame news and notes', 'Weather', 'Television', 'Simulcast', 'Game footage', 'Ceremonies and entertainment', 'Game summary', 'First quarter', 'Wartime contacts with Italy and Nazi Germany', 'Italy', 'Nazi Germany', 'Later history', 'Assassination of Lord Moyne', 'Tel Aviv car park raid', 'British police station in Haifa', 'Operations in Europe', 'Death threat against Hugh Trevor-Roper', 'Cairo-Haifa train bombings', 'Politics', 'Culture', 'Cultural elements in sustainable development frameworks', 'Human centered design', 'Life cycle analysis', 'Themes', 'Progress', 'Measurement', 'Natural capital', 'Business-as-usual', 'Hinduism', 'Buddhism', 'Christianity', 'See also', 'Other theorists', 'Notes', 'References'], ['Short stories', 'Short story collections', 'Novels', 'Series', 'Novella', 'Essays', 'Miscellaneous', 'See also', 'Notes', 'Further reading', 'Historical use of the term', 'Modern equivalents', 'References'], ['Defensive strokes', 'Push', 'Chop', 'Block', 'Lob', 'Effects of spin', 'Backspin', 'Topspin', 'Sidespin', 'Corkspin', 'Wednesday, June 1, 1921', 'Fires begin', 'Daybreak', 'Attack by air', 'New eyewitness account', 'Other whites', 'Arrival of National Guard troops', 'Stockpiled ammunition', 'End of martial law', 'Aftermath', 'Era of fragmentation (9th-10th centuries)', 'Second dissemination (10th-12th centuries)', 'Mongol dominance (13th-14th centuries)', 'From family rule to Ganden Phodrang government (14th-18th centuries)', 'Qing rule (18th-20th centuries)', '20th century', '21st century', 'Teachings', 'Buddhahood and Bodhisattvas', 'The Bodhisattva path', 'Etymology', 'Philosophy', 'Ancient Greek philosophy', 'Avicenna (11th century)', 'Ibn Tufail (12th century)', 'Aquinas (13th century)', 'Fortescue (15th century)', 'Locke (17th century)', 'Freud (19th century)', '20th century', 'Schorl', 'Dravite', 'Elbaite', 'Chemical composition of the tourmaline group', 'Physical properties', 'Crystal structure', 'Color', 'Magnetism', 'Treatments', 'Geology', 'Differential diagnosis', 'Treatment', 'Prognosis', 'Epidemiology', 'History', 'Etymology', 'See also', 'References', 'Further reading'], ['Reforms', "Women's education", 'Buildings and sites', 'Map', 'Main sites', 'Parks', 'Organisation', 'Central governance', 'Colleges', 'Finances', 'Jefferson Science Fellows Program', 'Franklin Fellows Program', 'Department of State Air Wing', 'Naval Support Unit: Department of State', 'Expenditures', 'Audit of expenditures', 'Central Foreign Policy File', 'Freedom of Information Act processing performance', 'Other', 'See also', 'Terminology', 'Geography and political sub-divisions', 'County-based sub-divisions', 'Council-based sub-divisions', 'Trade and foreign policies', 'Immigration policy', 'Social policy', 'Environmental policy', 'Federalism', 'Notable members and allies', 'Candidates', 'Electoral results', 'President', 'House of Representatives', 'References', 'Telephone', 'Radio', 'Etymology', 'Forms and methods', 'History', '20th century', '1970–1990', '1990–2000', '21st century', '2010–present']]



['Wikipedia: Procedure', 'Wikipedia: Regiomontanus', 'Wikipedia: Linguistic relativity', 'Wikipedia: Steve Crocker', 'Wikipedia: Military of Saint Lucia', 'Wikipedia: History of Somalia', 'Wikipedia: Stimulus–response model', 'Wikipedia: Susan Faludi', 'Wikipedia: Thomas Jefferson', 'Wikipedia: The Incredible Shrinking Man', 'Wikipedia: Through the Looking-Glass', 'Wikipedia: United Airlines Flight 93', 'Wikipedia: German submarine U-552', 'Wikipedia: Transport in Vanuatu']
[['Pauli vector', 'Commutation relations', 'Relation to dot and cross product', 'Some trace relations', 'Exponential of a Pauli vector', 'The group composition law of', 'Adjoint action', 'Completeness relation', 'Relation with the permutation operator', 'SU(2)', 'See also', 'References', 'See also', 'Other metric relations', 'Angle bisectors', 'Bimedians', 'Trigonometric identities', 'Inequalities', 'Area', 'Diagonals and bimedians', 'Sides', 'Maximum and minimum properties', 'Remarkable points and lines in a convex quadrilateral', 'Oil', "Les Trois Glorieuses and the 1968 Coup d'état", 'Assassination of Ngouabi and election of Sassou-Nguesso', 'Democracy and civil war', "Sassou's second presidency", 'See also', 'Notes', 'Bibliography', 'Rugby league worldwide', 'World Cup', 'Oceania and South Pacific', 'Europe', 'North America', 'Other countries', 'Domestic professional competitions', 'Attendances', 'International', 'Domestic', 'Bibliography'], ['Life', 'Modern history', 'World War II', 'Post-1945', 'Society and traditional culture', 'Belonging and exclusion', 'Religion', 'Beliefs', 'Deities and saints', 'Ceremonies and practices', 'Balkans', 'Dose', 'Estimation of dose based on target sensitivity', 'Types', 'External beam radiation therapy', 'Conventional external beam radiation therapy', 'Stereotactic radiation', 'Virtual simulation, and 3-dimensional conformal radiation therapy', 'Intensity-modulated radiation therapy (IMRT)', 'Volumetric modulated arc therapy (VMAT)', 'Automated planning', 'Gallery', 'Bibliography', 'Novels', 'Short story collections', 'Short stories', 'Non-fiction', 'Poetry', 'Plays', 'Travel writing', 'Island literature', 'Development of psychoanalysis', 'Relationship with Fliess', 'Early followers', 'Resignations from the IPA', 'Early psychoanalytic movement', 'Patients', 'Cancer', 'Escape from Nazism', 'Death', 'Ideas', 'Background', 'Naming', 'Origins', 'Renewed examination', 'Forms', 'References', 'See also', 'References', 'Public transportation (bus)', 'Taxis', 'Trucking', 'See also', 'Notes', 'Bibliography'], ['Fields of application', 'Mathematical formulation', 'Bounded response functions', 'Hill equation', 'References', 'Further reading', 'Signs and symptoms', 'Positive symptoms', 'Negative symptoms', 'Cognitive symptoms', 'Onset', 'Causes', 'Genetic', 'Collapse of the World Trade Center', 'Internal review of the CIA', '9/11 Commission Report', 'Civilian aircraft grounding', 'Invocation of the continuity of government', 'See also', 'References'], ['History', 'Legend of Jacobite origins', 'Estienne Morin', 'Rite of 25 Degrees', 'Henry Andrew Francken and his manuscripts', 'Scottish Perfection Lodges', 'Birth of the Scottish Rite', 'Albert Pike', 'Arts and entertainment', 'Local cuisine', 'Sports', 'Professional teams', 'Amateur leagues', 'Cyclic events', 'Economy and transport', 'Air', 'Trams', 'Buses', 'Biographical information', 'Major works', 'Faludi and feminism', 'Bibliography', 'Books', 'Science and technology', 'Computing', 'Software', 'Arts and entertainment', 'Film', 'Organizations', 'Education', 'Second quarter', 'Third quarter', 'Fourth quarter', 'Box score', 'Final statistics', 'Statistical comparison', 'Individual leaders', 'Records established', 'Starting lineups', 'Officials', 'Attempted Nablus terror attack', 'Deir Yassin massacre', 'Assassination of Count Folke Bernadotte', "The Lehi trial and the Fighters' Party", 'Service ribbon', '"Unknown Soldiers" anthem', 'Prominent members of Lehi', 'See also', 'References', 'Works cited', 'Education', 'Notable institutions', 'Insubstantial stretching of the term', 'See also', 'Sources', 'References', 'Further reading'], ['Early life and career', 'Education, early family life', 'Lawyer and House of Burgesses', 'Monticello, marriage, and family', 'Political career 1775–1800'], ['Electronic editions', 'Plot', 'Early life and education', 'NASA career', 'Awards', 'Personal', 'References'], ['Competitions', 'Naturalization in table tennis', 'Notable players', 'Governance', 'Variants', 'See also', 'References', 'Bibliography'], ['Casualties', 'Red Cross', 'Property losses', 'Identity of the black rioters', 'Public Safety Committee', 'Rebuilding', 'Tulsa Union Depot', '1921 Grand Jury investigation', 'Allegations of corruption', 'John A. Gustafson', 'Lamrim', 'Vajrayāna', 'Philosophy', 'Texts and study', 'Sutras', 'Shastras', 'Other important texts', 'Tantric literature', 'Transmission and realization', 'Practices', 'Science', 'Psychology and neurobiology', 'Social pre-wiring hypothesis', 'Computer science', 'See also', 'References', 'Primary sources', 'Secondary sources'], ['Localities', 'United States', 'Brazil', "World's largest", 'Africa', 'See also', 'References', 'Additional sources', 'Further reading'], ['Plot summary', 'Characters', 'Main characters', 'Affiliations', 'Academic profile', 'Teaching and degrees', 'Scholarships and financial support', 'Libraries', 'Museums', 'Publishing', 'Rankings and reputation', 'Sexual harassment accusations', 'References', 'Primary sources', 'Further reading'], ['Largest settlements', 'Economy', 'Physical geography', 'Transport', 'Air', 'Rail', 'Languages and dialects', 'History', 'Early history', 'Plantations and civil wars', 'Senate', 'Ballot access', 'See also', 'Notes', 'References'], ['Television', 'Internet', 'See also', 'References'], ['Technology', 'Software', 'Hardware', 'Applications', 'Concerns and challenges', 'Health and safety', 'Children in virtual reality', 'Privacy', 'Conceptual and philosophical concerns', 'Virtual reality in fiction']]



['Wikipedia: Paavo Nurmi', 'Wikipedia: Quantum teleportation', 'Wikipedia: Geography of the Republic of the Congo', 'Wikipedia: Rowing (sport)', 'Wikipedia: Recreational mathematics', 'Wikipedia: Standardization', 'Wikipedia: Foreign relations of Saint Lucia', 'Wikipedia: Statistical population', 'Wikipedia: Financial assistance following the September 11 attacks', 'Wikipedia: Oswald of Northumbria', 'Wikipedia: SMPP', 'Wikipedia: Super Bowl II', 'Wikipedia: Server-side scripting', 'Wikipedia: Scientific American', 'Wikipedia: Problem of other minds', 'Wikipedia: Partial Nuclear Test Ban Treaty', 'Wikipedia: Tsurugi (sword)', 'Wikipedia: Twin paradox', 'Wikipedia: Vanuatu Mobile Forces', 'Wikipedia: Venice']
[['SO(3)', 'Quaternions', 'Physics', 'Classical mechanics', 'Quantum mechanics', 'Relativistic quantum mechanics', 'Quantum information', 'See also', 'Remarks', 'Notes', 'Early life', 'Olympic career', '1920–1924 Olympics', 'Other properties of convex quadrilaterals', 'Taxonomy', 'Skew quadrilaterals', 'See also', 'References'], ['Environment', 'Climate', 'Ecology', 'Natural resources', 'Environmental issues', 'See also', 'References', 'Further reading'], ['Work', 'Legacy', 'See also', 'Notes', 'References', 'Further reading'], ['Other regions', 'Music', 'Contemporary art and culture', 'Language', 'Persecutions', 'Historical persecution', 'Forced assimilation', 'Porajmos (Holocaust)', 'Contemporary issues', 'Forced repatriation', 'Particle therapy', 'Auger therapy', 'Contact x-ray brachytherapy', 'Brachytherapy (sealed source radiotherapy)', 'Unsealed source radiotherapy (systemic radioisotope therapy)', 'Intraoperative radiotherapy', 'Rationale', 'Deep inspiration breath-hold', 'History', 'See also', 'See also', 'References', 'Sources'], ['Early work', 'Seduction theory', 'Cocaine', 'The unconscious', 'Dreams', 'Psychosexual development', 'Id, ego, and super-ego', 'Life and death drives', 'Melancholia', 'Femininity and female sexuality', 'Linguistic determinism', 'Linguistic influence', 'History', 'German Romantic philosophers', 'Boas and Sapir', 'Benjamin Lee Whorf', 'Eric Lenneberg', 'Universalist period', 'Joshua Fishman\'s "Whorfianism of the third kind"', 'Cognitive linguistics'], ['History', 'Early examples', 'See also', 'References'], ['Prehistory', 'Ancient', 'Land of Punt', 'Macrobia Kingdom', 'Somali City States', 'Medieval', 'Early modern', '19th century', 'Banadir Resistance', 'Dervish Movement', 'Sub population', 'See also', 'References', 'Environment', 'Substance use', 'Mechanisms', 'Diagnosis', 'Criteria', 'Changes made', 'Comorbidities', 'Differential diagnosis', 'Prevention', 'Management', 'Government assistance', 'American Red Cross', 'Other charitable drives', 'Emergency supplies', 'Memorial funds', 'Revisions after Pike', 'Degree structure', 'AASR Craft Degrees', 'Scots Master Degree', 'Organization', 'Canada', 'France', 'Romania', 'United Kingdom', 'United States', 'Roads', 'Rail', 'Port', 'Education and science', 'Scientific and regional organisations', 'Famous people', 'Twin towns – sister cities', 'Gallery', 'See also', 'References', 'Essays and reporting', 'See also', 'References'], ['Transportation', 'Other uses', 'See also', 'See also', 'References'], [], ['History', 'Explanation', 'History', 'International editions', 'First issue', 'Editors', 'Special issues', 'Declaration of Independence', 'Virginia state legislator and governor', 'Notes on the State of Virginia', 'Member of Congress', 'Minister to France', 'Secretary of State', 'Election of 1796 and vice presidency', 'Election of 1800', 'Presidency (1801–1809)', 'First Barbary War', 'Cast', 'Production', 'Development and pre-production', 'Filming', 'Post-production', 'Release', 'Reception', 'Aftermath', 'Proposed sequels and remakes', 'See also', 'See also', 'References', 'Further reading'], ['Background', 'Negotiations', 'Early efforts', 'After Castle Bravo: 1954–1958', 'Breaking the silence', 'Tulsa Race Massacre Commission', 'Post-commission actions', 'Search for mass graves', '2001', '2003 lawsuit', '2010: John Hope Franklin Reconciliation Park', '2020', 'In popular culture', 'Literature', 'Pāramitā', 'Samatha and Vipaśyanā', 'Preliminary practices', 'Guru yoga', 'Esotericism and vows', 'Rituals', 'Mantra', 'Tantric Yoga', 'Dzogchen and Mahamudra', 'Institutions and clergy', 'Kusanagi-no-Tsurugi', 'See also', 'References', 'History', 'Specific example', 'Earth perspective', 'Minor characters', 'Writing style and symbolism', 'Mirrors', 'Chess', 'Language', 'Poems and songs', 'The Wasp in a Wig', 'Dramatic adaptations', 'Stand-alone adaptations', "Adaptations with Alice's Adventures in Wonderland", 'Student life', 'Traditions', 'Clubs and societies', 'Student union and common rooms', 'Notable alumni', 'Politics', 'Law', 'Mathematics and sciences', 'Literature, music, and drama', 'Religion', 'Hijackers', 'Flight', 'Boarding', 'Hijacking', 'Passenger revolt', 'Crash', 'Aftermath', 'Possible targets', 'Fighter jet response', 'Emigration', 'Republicanism, rebellion and communal strife', 'Industrialisation, Home Rule and partition', '1920 to present', 'Wildlife', 'Sport', 'See also', 'Notes', 'References', 'Further reading', 'Design', 'Service history', 'Initial voyage to Helgoland', 'First patrol', 'Second patrol', 'Third patrol', 'Fourth patrol', 'Modes of transport', 'References'], ['See also', 'References', 'Further reading'], []]



['Wikipedia: Pie menu', 'Wikipedia: Demographics of the Republic of the Congo', 'Wikipedia: Two-round system', 'Wikipedia: Ronald Coase', 'Wikipedia: Saint Pierre and Miquelon', 'Wikipedia: Sample (statistics)', 'Wikipedia: Rescue and recovery effort after the September 11 attacks on the World Trade Center', 'Wikipedia: Sandman (disambiguation)', 'Wikipedia: Sudbury Neutrino Observatory', 'Wikipedia: Short Message Peer-to-Peer', 'Wikipedia: Samuel Huntington', 'Wikipedia: Geography of Taiwan', 'Wikipedia: Tom Clancy', 'Wikipedia: Tuatara', 'Wikipedia: Typography', 'Wikipedia: United States Capitol', 'Wikipedia: USS John C. Stennis', 'Wikipedia: Foreign relations of Vanuatu']
[['References', 'History', 'Usage', 'U.S. tour and 1928 Olympics', 'Move to longer distances', '1932 Olympics and later career', 'Later life', 'Personal life and public image', 'Legacy', 'Career summary (1920–34)', 'Seasons', 'Events', 'Olympics', 'Non-technical summary', 'Protocol', 'Experimental results and records', 'Formal presentation', 'Alternative notations', 'Entanglement swapping', 'Example: Swapping Bell Pairs', 'Extreme points', 'References', 'See also', 'Basic information', 'Anatomy of a stroke', 'Breathing during a rowing stroke', 'Rowing propulsion', 'Distinction from other watercraft', 'Fitness and health', 'History', 'FISA', 'Equipment', 'Terminology', 'Voting and counting', 'Examples', 'Example I', 'Example II', 'French 2002 presidential election', 'Organizations and projects', 'Artistic representations', 'See also', 'Notes', 'References', 'Sources', 'Further reading'], ['References', 'Further reading'], ['Topics', 'Mathematical games', 'Mathematical puzzles', 'Other activities', 'Online blogs, podcasts, and YouTube channels', 'Publications', 'People', 'See also', 'References', 'Religion', 'Legacy', 'Psychotherapy', 'Science', 'Philosophy', 'Literature and literary criticism', 'Feminism', 'In popular culture', 'Works', 'Books', 'Parameters', 'Rethinking Linguistic Relativity', 'Refinements', 'Empirical research', 'Structure-centered', 'Domain-centered', 'Behavior-centered', 'Color terminology', 'Other domains', 'Science and philosophy', '18th century attempts', 'National standard', 'National standards body', 'International standards', 'International Standards Associations', 'Usage', 'Clinical assessment', 'Social science', 'Information exchange', 'Customer service', 'History', 'Bilateral relations', 'Multilateral relations', 'See also', 'References', '20th century', '"Somalia italiana" and World War II', 'Independence', 'Somali Democratic Republic', 'Supreme Revolutionary Council', 'Ogaden War', 'Rebellion', 'Somali Civil War', 'Decentralization', 'Civil law'], ['Kinds of samples', 'See also', 'Medication', 'Side effects', 'Treatment resistant schizophrenia', 'Psychosocial interventions', 'Other', 'Prognosis', 'Epidemiology', 'History', 'Society and culture', 'Violence', 'References', 'Building evacuation', 'Emergency response', 'Southern Jurisdiction', 'Northern Jurisdiction', 'See also', 'Notes'], ['Supported institutions', 'Explanatory notes', 'Bibliography', 'Bibliographical notes'], ['Background, youth, and exile', 'Victory over Cadwallon', 'Overlordship', 'Christianity', 'Downfall', 'After death', 'Notes', 'References', 'Further reading', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'Background', 'Green Bay Packers', 'Oakland Raiders', 'Super Bowl pregame news and notes', 'Television', 'Ceremonies and entertainment', 'Game summary', 'First quarter', 'Second quarter', 'Third quarter', 'Languages', 'See also', 'References'], ['Scientific American 50 award', 'Website', 'Columns', 'Television', 'Books', 'Scientific and political debate', 'Awards', 'Top 10 Science Stories of the Year', 'Controversy', 'See also', 'Louisiana Purchase', 'Attempted annexation of Florida', 'Lewis and Clark expedition', 'American Indian policies', 'Re-election in 1804 and second term', 'Burr conspiracy and trial', 'General Wilkinson misconduct', 'Chesapeake–Leopard affair and Embargo Act', 'Post-presidency (1809–1826)', 'University of Virginia', 'References', 'Footnotes', 'Sources', 'Further reading'], ['Early life and education', 'Career', 'Finances', 'Political views', 'Khrushchev and a moratorium: 1958–1961', 'Renewed efforts', 'Lifting the moratorium: 1961–1962', 'Cuban Missile Crisis and beyond: 1962–1963', 'After the Moscow agreement', 'Implementation', 'Provisions', 'Signatories', 'Effectiveness', 'Violations and accidents', 'Film and television', 'Music and art', 'See also', 'References', 'Further reading'], ['Women in Tibetan Buddhism', 'Nuns', 'Western nuns and lamas', 'Major Lineages', 'Tibetan Buddhist Schools', 'Glossary of terms used', 'See also', 'Notes', 'References', 'Citations', 'Etymology', 'History', 'Evolution', 'Experimental typeface uses', "Travellers' perspective", 'Conclusion', 'Resolution of the paradox in special relativity', 'Role of acceleration', 'Relativity of simultaneity', 'A non space-time approach', 'The equivalence of biological aging and clock time-keeping', 'What it looks like: the relativistic Doppler shift', 'The asymmetry in the Doppler shifted images', 'Calculation of elapsed time from the Doppler diagram', 'Film and TV', 'Stage productions', 'Other', 'See also', 'References', 'Footnotes', 'Citations', 'Other sources'], ['Philosophy', 'Sport', 'Adventure and exploration', 'See also', 'Notes', 'References', 'Citations', 'Sources', 'Histories', 'Popular studies and collections', 'Memorials', 'Nationalities of the victims on the aircraft', 'See also', 'References', 'Further reading'], [], ['Mission and capabilities', 'History', 'Fifth and sixth patrols', 'Sinking of USS Reuben James', 'Second Happy Time', 'Sinking of the David H. Atwater', 'Later patrols', 'Wolfpacks', 'Summary of raiding history', 'References', 'Notes', 'Citations', 'List of commanders', 'Equipment of Vanuatu Mobile Forces', 'References', 'Etymology', 'History', 'Origins', 'Expansion', 'Decline', 'Modern age', 'Geography', 'Subsidence', 'Building foundations']]



['Wikipedia: Pollution', 'Wikipedia: Roman Inquisition', 'Wikipedia: Resurrection', 'Wikipedia: Summary statistics', 'Wikipedia: Sophie Germain', 'Wikipedia: Steve Lacy (saxophonist)', 'Wikipedia: Script', 'Wikipedia: Siouxsie and the Banshees', 'Wikipedia: Tribune', 'Wikipedia: Thermocouple', 'Wikipedia: Book of Jacob', 'Wikipedia: Umeå University', 'Wikipedia: German submarine U-571']
[['Comparison with other interaction techniques', 'Notable implementations', 'See also', 'References'], ['World records', 'IAAF-ratified', 'Unofficial', 'See also', 'References', 'Bibliography'], ['Generalizations of the Teleportation Protocol', 'd-dimensional systems', 'Multipartite versions', 'Logic gate teleportation', 'General description', 'Further details', 'Local explanation of the phenomenon', 'See also', 'References', 'Specific', 'Population', 'Vital statistics', 'Fertility and Births', 'Ethnic groups', 'Languages', 'Religion', 'Health', 'Education', 'Other demographic statistics', 'Age structure', 'Steering', 'Blades', 'Indoor rowing', 'Rowing tank', 'Ergometer', 'Damage', 'Transportation', 'Boat storage, boat houses, and boat centers', 'Competition', 'Side by side', 'Similar methods', 'Exhaustive ballot', 'Instant-runoff voting', 'Contingent vote', 'Louisiana and nonpartisan blanket primary systems', 'Two-party-preferred vote', 'Compliance with voting method criteria', 'Tactical voting and strategic nomination', 'Impact on factions and candidates', 'Majoritarianism', 'Objectives', 'Function', 'History', 'Copernicus', 'Galileo', 'Biography', 'Contributions to economics', '"The Nature of the Firm"', '"The Problem of Social Cost"', 'Law and economics', 'Coase conjecture', 'Political views', 'Ronald Coase Institute', 'Coase-Sandor Institute for Law and Economics', 'Publications', 'Further reading'], ['Etymology', 'Case histories', 'Papers on sexuality', 'Autobiographical papers', 'The Standard Edition', 'Correspondence', 'See also', 'Notes', 'References', 'Further reading'], ['Therapy and self-development', 'Artificial languages', 'Programming languages', 'In popular culture', 'See also', 'Citations', 'General references', 'Further reading', 'Supply and materials management', 'Defense', 'Process', 'Effects', 'Effect on firms', 'Effect on consumers', 'Effect on technology', 'See also', 'Further reading', 'References', 'Etymology', 'History', 'Politics', 'Maritime boundary case', 'Geography', 'Environment', 'Climate', "Shari'a", 'Xeer', 'Recent history', 'Transitional National Government', 'Transitional Federal Institutions', 'Islamic Courts Union and Ethiopian intervention', 'Coalition government', 'Federal government', 'Timelines', 'Muslim era', 'Notes'], ['Examples', 'Research directions', 'References'], ['Firefighters', 'Doctors, EMS, and other medical staff', 'Police', 'Coast Guard, maritime industry, individual boat owners', 'Amateur radio', 'Search and rescue efforts', 'Recovery efforts', 'Organization', 'Debris removal', 'Reuse of steel', 'People', 'Art, entertainment, and media', 'Audio dramas', 'Fictional entities', 'Film', 'Literature', 'Music', 'Experimental motivation', 'Detector description', 'Charged current interaction', 'Neutral current interaction', 'Electron elastic scattering', 'Experimental results and impact', 'Other possible analyses', 'Participating institutions', 'Canada'], ['Early life and career', 'Europe and sextet', 'History', 'Operation', 'Versions', 'PDU format (after version 3.4)', 'PDU header', 'Example', 'PDU body', 'Quirks', 'Fourth quarter', 'Box score', 'Final statistics', 'Statistical comparison', 'Individual leaders', 'Records Set', 'Starting lineups', 'Officials', 'See also', 'References', 'See also', 'Writing systems', 'References'], ['History', 'Reconciliation with Adams', 'Autobiography', "Lafayette's visit", 'Final days, death, and burial', 'Political, social and religious views', 'Society and government', 'Democracy', 'Religion', 'Banks', 'Slavery', 'Physical boundaries', 'Geology', 'Terrain', 'Climate', 'Records', 'Flora and fauna', 'Natural resources', 'Agriculture', 'Personal life', 'Property', 'Death', 'Achievements and awards', 'Works', 'Film, TV and video game adaptations', 'Films', 'Short films', 'Television series', 'Video games', 'See also', 'References', 'Citations', 'Publications'], ['Taxonomy and evolution', 'Species', 'Description', 'Skull', 'Sensory organs', 'Eyes', 'Parietal eye (third eye)', 'Sources', 'Further reading'], ['Techniques', 'Scope', 'Text typefaces', 'Color', 'Principles of the typographic craft', 'Display graphics', 'Advertising', 'Inscriptional and architectural lettering', 'See also', 'Supporting organizations', 'The distinction between what they see and what they calculate', 'Simultaneity in the Doppler shift calculation', 'Viewpoint of the traveling twin', "Difference in elapsed time as a result of differences in twins' spacetime paths", 'Difference in elapsed times: how to calculate it from the ship', 'A rotational version', 'No twin paradox in an absolute frame of reference', 'In fiction', 'See also', 'Primary sources', 'Narrative', 'Further reading', 'References'], ['Guide books'], ['Organisation', 'History', 'Background', 'Name', 'Design competition', 'Construction', 'Early religious use', 'War of 1812', '1998', '1999', '2000', '2001', '2004', '2007', '2009', '2011', '2012', '2013', 'Bibliography'], ['Design', 'History', '1980s: the Lini policies', '1990s: the Carlot Korman and Vohor years', 'Overview', 'Tension with Fiji', 'Aid', 'Support to the right of self-determination', 'Wantok Blong Yumi Bill', 'Flooding', 'Climate', 'Demographics', 'Government', 'Sestieri', 'Municipality', 'Economy', 'Tourism', 'Mitigating the effects of tourism', 'Diverting cruise ships']]



['Wikipedia: Polyatomic ion', 'Wikipedia: Quechuan languages', 'Wikipedia: Politics of the Republic of the Congo', 'Wikipedia: RuneQuest', 'Wikipedia: Resurrected', 'Wikipedia: Standard deviation', 'Wikipedia: IBM System/360', 'Wikipedia: Telepathy', 'Wikipedia: Tyburn', 'Wikipedia: Polytetrafluoroethylene', 'Wikipedia: Theodoric the Great', 'Wikipedia: University of Bergen', 'Wikipedia: USS Cole bombing', 'Wikipedia: Demographics of Venezuela']
[['Greenhouse gases and global warming', 'Rossby waves and surface air pollution', 'Most polluting industries', 'World’s worst polluted places', 'See also', 'References'], ['Nomenclature of polyatomic anions', 'Other examples of common polyatomic ions', 'See also'], ['Variations of the qubit', 'Physical implementations', 'Qubit storage', 'See also', 'Further reading', 'References', 'Executive branch', 'Legislative branch', 'Political parties and elections', 'History', 'System', 'Character creation', 'City districts', 'Central Zone', 'South Zone', 'North Zone', 'West Zone', 'Barra da Tijuca region', 'Demographics', 'Population growth', 'Religion', 'Social issues', 'Honors achieved', 'Awards', 'Works of art', 'Selected collections', 'See also', 'Further reading', 'References'], ['Early life and education', 'Career', 'Awards and honours', 'Selected bibliography', 'References', 'See also', 'Transportation', 'Government and politics', 'Government', 'State taxes', 'Federal representation', 'Politics', 'Culture', 'Cities and towns', 'Media', 'Education', 'United Kingdom', 'United States', 'Retroactive extensions', 'Civil statutes', 'Criminal statutes', 'Initiation of charges', 'Heinous crimes', 'Military law', 'State laws', 'Exceptions', 'Population', 'Languages and ethnic groups', 'Afroasiatic', 'Khoisan', 'Niger–Congo', 'Nilo-Saharan', 'Genetic history', 'Major cities', 'Economy', 'Energy and power', 'Location', 'Physical geography', 'Saint-Pierre', 'Miquelon-Langlade', 'Climate', 'Environment', 'See also', 'Finance', 'Stock exchange', 'Natural Resources', 'See also', 'References', 'Notes', 'Bibliography'], ['Example', 'Derivation', 'Related quantities', 'See also', 'References', 'Contemporary praise and criticisms', 'Modern praise and criticisms', 'Germain in popular culture', 'Sophie Germain Prize', 'See also', 'Citations', 'References'], ['Attackers', 'Federal government', 'First responders', 'Victims', 'General public', 'Radio communications', 'Background', 'Incandescent loads', 'Wetting current', 'Actuator', 'Biased switches', 'Rotary switch', 'Toggle switch', 'Special types', 'Mercury tilt switch', 'Knife switch', 'Footswitch', 'Monitoring system', 'Online monitoring system', 'Realtime supernova monitor', 'Slow control monitor and offline process monitor', 'Research', 'Solar neutrino', 'Atmospheric neutrino', 'K2K Experiment', 'T2K Experiment', 'Proton Decay', 'Second World War', 'British crown colony', 'Malaysia', 'Politics', 'Government', 'Administrative division', 'Security', 'Territorial disputes', 'Environment', 'Geography', 'North America', 'History', 'Early history', 'Origins of the modern suburb', 'Interwar suburban expansion in England', 'Post-war suburban expansion', 'Housing', 'Worldwide', 'United States', 'Canadian suburbs', 'Box score', 'Final statistics', 'Statistical comparison', 'Individual leaders', 'Records Set', 'Starting lineups', 'Officials', 'See also', 'References'], ['System/360 history', 'A family of computers', 'Models', 'History', 'Sample code', 'Minimal program', 'Classic Hello world', 'Classes, subclasses and virtual procedures', 'Call by name', 'Simulation', 'Origins of the concept', 'Thought reading', 'Case studies', 'Political status and the major camps', 'Current political issues', 'National identity', 'Government', 'Presidency', 'National Assembly', 'Executive Yuan', 'Legislative Yuan', 'Judicial Yuan', 'Control Yuan', 'References'], ['History', 'Routes or imprints', 'Arts, entertainment, and media', 'Films', 'Literature', 'Music', 'Albums', 'Songs', 'History', 'Production', 'Properties', 'Processing', 'Applications and uses', 'Tungsten/rhenium-alloy thermocouples', 'Type C', 'Type D', 'Type G', 'Others', 'Chromel–gold/iron-alloy thermocouples', 'Type P (noble-metal alloy) or "Platinel II"', 'Platinum/molybdenum-alloy thermocouples', 'Iridium/rhodium alloy thermocouples', 'Pure noble-metal thermocouples Au–Pt, Pt–Pd', 'See also', 'References'], ['Tenth tale (I, 10)', 'Second day', 'First tale (II, 1)', 'Second tale (II, 2)', 'Third tale (II, 3)', 'Fourth tale (II, 4)', 'Fifth tale (II, 5)', 'Sixth tale (II, 6)', 'Seventh tale (II, 7)', 'Eighth tale (II, 8)', 'Names and etymology', 'History', 'Beginnings', 'Medieval bishopric', 'Polish-Lithuanian and Swedish rule', 'Imperial Russia', 'First independence period', 'History', 'Priority areas', 'Organization', 'Ranking', 'Tuition', 'Faculties and academia at the University of Bergen', 'See also', 'Citations', 'References', 'Further reading'], ['History', '19th century', '20th century', 'New Deal era', '21st century', 'Name and symbols', 'Political positions', 'Economic policies', 'Environmental policies', 'Immigration', '2nd patrol and capture', 'Operation Primrose (9 May 1941)', 'Wolfpacks', 'Modern-day connections', 'Summary of raiding history', 'See also', 'Other captured U-boats', 'References', 'Bibliography'], ['References', 'Population', 'Structure of the population  ===', 'Glass', 'Festivals', 'Music', 'Orchestras', 'Cinema, media, and popular culture', 'In films', 'In music videos', 'In video games', 'Photography', 'Cuisine']]



['Wikipedia: Pole weapon', 'Wikipedia: Persecution of Christians', 'Wikipedia: Economy of the Republic of the Congo', 'Wikipedia: REO Motor Car Company', 'Wikipedia: RIPEMD', 'Wikipedia: Robert Parr', 'Wikipedia: Submarine sandwich', 'Wikipedia: Demographics of Saint Pierre and Miquelon', 'Wikipedia: Communications in Somalia', 'Wikipedia: Shoa', 'Wikipedia: Succubus', 'Wikipedia: Super Bowl V', 'Wikipedia: SNOBOL', 'Wikipedia: German submarine U-20 (1936)']
[['Classification difficulties', 'List of pole weapons', 'Ancient pole weapons', 'European', 'Asian', 'Dagger-axe', 'Antiquity', 'In the New Testament', 'In the Roman Empire', 'History', 'Current status', 'Number of speakers', 'Classification', 'Family tree', 'Geographical distribution', 'Cognates', 'Presidential elections', 'Parliamentary elections', 'International organization participation', 'References'], ['Task resolution', 'Combat', 'Advancement', 'Magic', 'Other rules', 'Setting', 'The Dragon Pass area', 'Cults and religion', 'Supplements', 'Reception', 'Economy', 'Tourism', 'Education', 'Educational institutions', 'Educational system', 'Culture', 'Literature', 'Libraries', 'Music', 'Theatre', 'Early REO production', 'Reo Flying Cloud and Reo Royale', 'After passenger cars', 'Products', 'Cars', 'History', 'RIPEMD-160 hashes', 'Implementations', 'See also', 'References'], ['Career', 'Achievements and awards', 'Awards and honors', 'References', 'Sports and recreation', 'Organized sports', 'Recreation', 'State symbols', 'See also', 'References', 'Bibliography', 'Further reading'], ['Continuing-violations doctrine', 'See also', 'References', 'Media', 'Infrastructure', 'Oil and minerals', 'Agriculture', 'Education', 'Major progress in access to education', 'Science and technology', 'Health', 'Religion', 'Culture', 'Notes'], ['Structure of the populationhttp://unstats.un.org/unsd/demographic/products/dyb/dyb2.htm', 'Telecommunications', 'General', 'Regulation', 'Firms', 'Mail', 'Basic examples', 'Sample standard deviation of metabolic rate of northern fulmars', 'Population standard deviation of grades of eight students', 'Standard deviation of average height for adult men', 'Definition of population values', 'Discrete random variable', 'Continuous random variable', 'Estimation', 'See also', 'Voice radio systems', 'NYPD and PAPD systems in 2001', 'Fire and EMS dispatch channels', 'Port Authority fire repeater system (Repeater 7)', 'Fire Department system', 'FDNY radio programming', 'Tactical 1', 'Command channel', 'Interoperability', 'Aviation assets', 'Reversing switch', 'Light switches', 'Slide switches', 'Electronic switches', 'Other switches', 'See also', 'References'], ['Purification', 'Water purification system', 'Air purification system', 'Data processing', 'In Kamioka', 'In US', 'Results', 'In popular culture', 'See also', 'References', 'Biodiversity', 'Conservation issues', 'Economy', 'Infrastructure', 'Energy and water resources', 'Telecommunication and broadcasting', 'Transportation', 'Healthcare', 'Education', 'Demography', 'Other countries', 'Traffic flows', 'Academic study', 'In popular culture', 'See also', 'Notes', 'References', 'Bibliography'], ['Background', 'Baltimore Colts', 'Dallas Cowboys', 'Backward compatibility', 'Successors and variants', 'Table of System/360 models', 'Technical description', 'Influential features', 'Architectural overview', 'Channels', 'Block multiplexer channel', 'Basic hardware components', 'Operating system software', 'See also', 'Notes', 'Sources', 'Further reading'], ['In parapsychology', 'Types', 'Zener Cards', 'Dream telepathy', 'Ganzfeld experiment', 'Twin telepathy', 'Scientific reception', 'Psychiatry', 'Use in fiction', 'See also', 'Examination Yuan', 'Political parties and elections', 'Recent Elections', 'Political Parties', 'Political conditions', 'ROC and PRC', 'Administrative divisions', 'See also', 'References', 'Further reading', 'Tyburn gallows', 'Process of executions', 'Social aspects', 'Executioners', 'Notable executions', 'See also', 'Notes', 'References'], ['Music production', 'Other arts, entertainment, and media', 'Electronics and computing', 'Sports', 'Transportation', 'Other uses', 'See also', 'Safety', 'Ecotoxicity', 'PFOA', 'Similar polymers', 'See also', 'References', 'Further reading'], ['HTIR-TC (High Temperature Irradiation Resistant) thermocouples', 'Comparison of types', 'Thermocouple insulation', 'Table of insulation materials', 'Applications', 'Steel industry', 'Gas appliance safety', 'Thermopile radiation sensors', 'Manufacturing', 'Power production', 'Youth and early exploits', 'Reign', 'Family and progeny', 'Building program', 'Ravenna', 'Rome', 'Religion', 'Legacy', 'Medieval reception', 'See also', 'Ninth tale (II, 9)', 'Tenth tale (II, 10)', 'Third day', 'First tale (III, 1)', 'Second tale (III, 2)', 'Third tale (III, 3)', 'Fourth tale (III, 4)', 'Fifth tale (III, 5)', 'Sixth tale (III, 6)', 'Seventh tale (III, 7)', 'Soviet period', 'Modern era', 'Geography', 'Climate', 'Economy', 'Population', 'Neighbourhoods', 'Education and culture', 'Science', 'Main sights', 'Faculty of Fine Art, Music and Design', 'Faculty of Humanities ===', 'Faculty of Law', 'Faculty of Mathematics and Natural Sciences', 'Faculty of Medicine', 'Faculty of Psychology', 'Faculty of Social Sciences', 'Notable academics and faculty', 'Notable alumni', 'Other notes', 'Attack', 'Rescue', 'Investigation', 'Responsibility', 'Alleged mastermind', 'Aftermath', 'Rules of engagement', 'Consequences', 'Foreign policy and national defense', 'Social policies', 'Abortion and embryonic stem cell research', 'Civil rights', 'Gun ownership', 'Drugs', 'LGBT issues', 'Voting rights', 'Democracy', 'Composition', 'Design', 'Operational history', '1st, 2nd and 3rd patrols', 'Vital statistics', 'Births and deaths', 'Other demographic statistics', 'Sex ratio', 'Ethnicity', 'Religious affiliation', 'References'], ['Fashion and shopping', 'International relations', 'Twin towns – sister cities', 'Cooperation agreements', 'Places named after Venice', 'Notable people', 'See also', 'References', 'Bibliography', 'Academic']]



['Wikipedia: Rich Text Format', 'Wikipedia: Roman law', 'Wikipedia: Riesz representation theorem', 'Wikipedia: Switzerland', 'Wikipedia: Sutra', 'Wikipedia: Stimulated emission', 'Wikipedia: Shōnen manga', 'Wikipedia: Texas A&M University', 'Wikipedia: Economy of Taiwan', 'Wikipedia: Tube map', 'Wikipedia: Tocantins (disambiguation)', 'Wikipedia: Train', 'Wikipedia: Thomas Paine', 'Wikipedia: Thermistor', 'Wikipedia: Randolph (ship)', 'Wikipedia: The Chemical Brothers', 'Wikipedia: University of Oslo', 'Wikipedia: Unicode and HTML', 'Wikipedia: Politics of Venezuela', 'Wikipedia: Victoria Bitter']
[['Ji', 'Ngao', 'Post-classical pole weapons', 'Danish axe', 'Sparth axe', 'Fauchard', 'Guisarme', 'Glaive', 'Voulge', 'Svärdstav', 'Under Nero, 54–68\xa0AD', 'From the 2nd century to Constantine', 'The Great Persecution', 'Under Constantine', 'In the Sassanian Empire', 'By Jewish tribes in Yemen', 'By others', 'During the Middle Ages and the Early Modern period', 'By Christians both during and after the Protestant Reformation', 'By Persians and Jews during the Roman-Persian Wars', 'Quechua and Aymara', 'Language contact', 'Vocabulary', 'Etymology of Quechua', 'Phonology', 'Vowels', 'Consonants', 'Stress', 'Orthography', 'Grammar', 'Historical overview', 'Petroleum', 'Statistics', 'See also', 'References'], ['Legacy', 'References'], ['Events', "New Year's Eve", 'Rock in Rio', 'Carnival', 'Sports', 'Football', 'Olympics', 'Other sports', 'Transportation', 'Airports', 'Trucks', 'Buses', 'Clients', 'REOs in popular culture', 'Advertisements', 'See also', 'Notes'], ['Development', 'Twelve Tables', 'Early law and jurisprudence', 'Notation', 'Riesz representation theorem', 'Proof', 'Properties', 'References', 'Etymology', 'History', 'Early history', 'Archaeological findings', 'History and etymology', 'Submarine', 'Hoagie', 'Hero', 'Grinder', 'Wedge', 'Spukie', 'Other types', 'Popularity and availability', 'See also', 'Art', 'Architecture', 'Music', 'Cuisine', 'Clothing', 'Theater', 'Film industry', 'Games', 'Sports', 'Tourism', 'CIA World Factbook demographic statistics', 'Population', 'Age structure', 'Population growth rate', 'Birth rate', 'Death rate', 'Net migration rate', 'Sex ratio', 'Infant mortality rate', 'Life expectancy at birth', 'Radio', 'Television', 'Print', 'Telephone', 'Internet', 'See also', 'References'], ['Uncorrected sample standard deviation', 'Corrected sample standard deviation', 'Unbiased sample standard deviation', 'Confidence interval of a sampled standard deviation', 'Bounds on standard deviation', 'Identities and mathematical properties', 'Interpretation and application', 'Application examples', 'Experiment, industrial and hypothesis testing', 'Weather', 'Etymology', 'In folklore', 'Ability to reproduce', 'Qarinah', 'Scientific explanations', 'In fiction', 'See also', 'Cross-department', 'Need for NYPD/FDNY cross-department links?', 'ICS: part of the solution?', 'Trunked systems, commercial services, and cross-department netting', 'Mobile data terminals', 'New York City Council investigation', 'See also', 'References', 'Notes', 'Further reading', 'Etymology', 'History', 'Hinduism', 'Post-vedic sutras', 'Buddhism'], ['Overview', 'History', 'Ethnicity and immigration', 'Religion', 'Languages', 'Culture', 'Fine arts and crafts', 'Cuisine', 'Portrayal in media', 'Holidays and festivals', 'Sports', 'International relations', 'Summary', 'History', 'Before World War II', 'Post-occupation', 'Playoffs', 'Super Bowl pregame news and notes', 'Broadcasting', 'Entertainment', 'Game summary', 'First quarter', 'Second quarter', 'Third quarter', 'Fourth quarter', 'Postscript', 'Component names', 'Peripherals', 'Direct access storage devices (DASD)', 'Tape drives', 'Unit record devices', 'Remaining machines', 'Gallery', 'In popular culture', 'See also', 'Notes', 'Development', 'Features', 'Example programs', 'Implementations', 'Naming', 'See also', 'References', 'Further reading', 'Notes', 'Further reading'], ['History', 'Data', 'Nominal', 'History', 'Early maps', "Beck's maps", 'After Beck', 'Places and jurisdictions', 'Sports and entertainment', 'Early life and education', 'In Pennsylvania Magazine', 'American Revolution', 'Common Sense (1776)', 'The American Crisis (1776)', 'Process plants', 'Thermocouple as vacuum gauge', 'See also', 'References'], ['References', 'Notes', 'Citations', 'Bibliography', 'Further reading'], ['Eighth tale (III, 8)', 'Ninth tale (III, 9)', 'Tenth tale (III, 10)', 'Fourth day', 'First tale (IV, 1)', 'Second tale (IV, 2)', 'Third tale (IV, 3)', 'Fourth tale (IV, 4)', 'Fifth tale (IV, 5)', 'Sixth tale (IV, 6)', 'Sports', 'Notable people', 'Gallery', 'See also', 'References'], ['References'], ['History', 'Memorial', 'See also', 'References'], ['Ideology and factions', 'Talk radio', 'Business community', 'Demographics', 'Gender', 'Education', 'Ethnicity', 'Religious beliefs', 'Republican presidents', 'Electoral history', '4th and 5th patrols', '6th - 8th patrols', '9th and 10th patrols', '11th - 14th patrols', '15th patrol', '16th patrol and fate', 'Summary of raiding history', 'References', 'Notes', 'Citations', 'Parties and leaders', 'Governing party', 'Non-governing parties', 'History', '1958–1999', 'Popular'], ['History']]



['Wikipedia: Telecommunications in the Republic of the Congo', "Wikipedia: Rehavam Ze'evi", 'Wikipedia: Romano Scarpa', 'Wikipedia: Semitic languages', 'Wikipedia: Transport in Somalia', 'Wikipedia: Suzanne Vega', 'Wikipedia: Timeline for October following the September 11 attacks', 'Wikipedia: Samurai', 'Wikipedia: Sumatra', 'Wikipedia: Srebrenica', 'Wikipedia: Spouse', 'Wikipedia: Statistical physics', 'Wikipedia: Terminator', 'Wikipedia: Urinary bladder']
[['Naginata', 'Woldo', 'Guandao', 'Podao', 'Fangtian ji', 'Modern pole weapons', 'Corseque', 'Halberd', 'Poleaxe', 'References', 'Under Islamic rule', 'By Tamerlane', 'Ottoman Albania and Kosovo', 'French Revolution', 'China', 'India', 'Japan', 'Modern era (1815 to 1989)', 'In the Ottoman Empire', 'Soviet Union and Warsaw Pact Countries', 'Morphological type', 'Pronouns', 'Adjectives', 'Numbers', 'Nouns', 'Adverbs', 'Verbs', 'Grammatical particles', 'Evidentiality', '-m(i) : Direct evidence and commitmentFloyd 1999, p. 60.', 'Radio and television', 'Telephones', 'Internet', 'Internet censorship and surveillance', 'See also', 'History', 'Code syntax', 'Character encoding', 'Human readability', 'Common uses and interoperability', 'Objects', 'Pictures', 'Fonts', 'Annotations', 'Drawing objects', 'Ports', 'Public transportation', 'Subway and urban trains', 'Light rail', 'Bus', 'Ferry', 'Tram', 'Road transport', 'Bicycles', 'Communications', 'Biography', 'Military career', 'Political career', 'Eretz Yisrael Museum', 'Assassination', 'Pre-classical period', 'Classical Roman law', 'Post-classical law', 'Substance', 'Concept of laws', 'Public law', 'Private law', 'Status', 'Litigation', 'Legacy', 'Biography', 'Disney characters created by Romano Scarpa', 'Reprints', 'Old Swiss Confederacy', 'Napoleonic era', 'Federal state', 'Modern history', 'Geography', 'Climate', 'Environment', 'Politics', 'Direct democracy', 'Cantons', 'References'], ['Name and identification', 'List of countries and regional organization', 'Northeast Africa', 'See also', 'Sources', 'Notes', 'References', 'Further reading'], ['Total fertility rate', 'Nationality', 'Ethnic groups', 'Religions', 'Languages', 'Literacy', 'See also', 'References', 'Roads', 'Air', 'Airports', 'Airlines', 'Sea', 'Finance', 'Geometric interpretation', "Chebyshev's inequality", 'Rules for normally distributed data', 'Relationship between standard deviation and mean', 'Standard deviation of the mean', 'Rapid calculation methods', 'Weighted calculation', 'History', 'Higher Dimensions', 'References'], ['Early life'], ['Monday, October 1, 2001', 'Tuesday, October 2, 2001', 'Jainism', 'See also', 'Notes', 'References'], ['Mathematical model', 'Stimulated emission cross section', 'Optical amplification', 'Small signal gain equation', 'Saturation intensity', 'General gain equation', 'Small signal approximation', 'Large signal asymptotic behavior', 'See also', 'References', 'See also', 'Notes', 'References'], ['Modern shōnen manga', "Women's roles in shōnen manga", 'See also', 'References'], ['Box score', 'Final statistics', 'Statistical comparison', 'Individual leaders', 'Records Set', 'Starting lineups', 'Officials', 'References', 'References'], ['From the IBM Journal of Research and Development', 'From IBM Systems Journal'], ['Statistical mechanics', 'Quantum statistical mechanics', 'History', 'Beginning years', 'World Wars era', 'University era', 'Academics', 'Student body', 'Rankings', 'Veterans', 'Endowment', 'Research', 'Economy by region', 'Economic outlook', 'Global financial crisis', 'Foreign trade', 'Industry', 'Semiconductor industry', 'Information technology', 'Agriculture', 'Energy', 'Steel and heavy manufacturing', 'Technical aspects', 'Line colours', 'Station marks', 'Lines or services', 'Official versions', 'Non-Underground lines on standard map', 'Underground lines on geographically-accurate maps', 'Spin-offs and imitations', 'Cultural references', 'See also', 'Types', 'Terminology', 'United Kingdom', 'Other countries', 'Bogies', 'Motive power', 'Passenger trains', 'Foreign affairs', 'Silas Deane Affair', 'Public Good', 'Funding the Revolution', 'Rights of Man', 'The Age of Reason', 'Criticism of George Washington', 'Later years', 'Death', 'Ideas', 'Basic operation', 'Steinhart–Hart equation', 'B or β parameter equation', 'Conduction model', 'NTC (negative temperature coefficient)', 'PTC (positive temperature coefficient)', 'Self-heating effects', 'Applications', 'References', 'Seventh tale (IV, 7)', 'Eighth tale (IV, 8)', 'Ninth tale (IV, 9)', 'Tenth tale (IV, 10)', 'Fifth day', 'First tale (V, 1)', 'Second tale (V, 2)', 'Third tale (V, 3)', 'Fourth tale (V, 4)', 'Fifth tale (V, 5)', 'History', '1984–1995: Formation and early career', '1995–1998: Exit Planet Dust and Dig Your Own Hole', '1999–2002: Surrender and Come with Us', '2003–2006: Push the Button', '2007–2009: We Are the Night', "2010-2012: Further, Hanna and Don't Think", 'Early history', '1900–1945', '1945–2000', 'Hierarchy', 'Faculties', 'Theology', 'Law', 'Medicine', 'Humanities', 'Mathematics and natural sciences', 'HTML document characters', 'Character encoding', 'Numeric character references', 'Named character entities', 'Character encoding determination', 'Encoding information', 'Encoding defaults', 'Encoding trends', 'Byte order mark/Unicode sniffing', 'In congressional elections: 1950–present', 'In presidential elections: 1856–present', 'Groups supporting the Republican Party', 'See also', 'Notes', 'References', 'Further reading'], ['Bibliography'], ['Structure', '1999–2013', '2013–Present', '2013', '2015', '2017', 'Miscellaneous', 'Elections', 'Latest elections', 'See also', 'References', 'Sales and availability', 'VB Gold', 'VB RAW', 'Marketing and promotion', 'See also', 'References'], []]



['Wikipedia: PHD', 'Wikipedia: Transport in the Republic of the Congo', 'Wikipedia: Robert Fulton', 'Wikipedia: Rosa Parks', 'Wikipedia: Sahara desert (ecoregion)', 'Wikipedia: Politics of Saint Pierre and Miquelon', 'Wikipedia: Politics of Somalia', 'Wikipedia: Statistical assumption', 'Wikipedia: Signal (disambiguation)', 'Wikipedia: Super Bowl VI', 'Wikipedia: Side effect (computer science)', 'Wikipedia: The Hague', 'Wikipedia: Thermometer', 'Wikipedia: Ultraviolet', 'Wikipedia: USS Liberty incident', 'Wikipedia: Economy of Venezuela', 'Wikipedia: Vern Clark']
[[], ['Entertainment', 'Organizations', '19th- and 20th-century Mexico', 'Anti-Mormonism', 'Madagascar', 'Spain', 'Nazi Germany', 'Independent State of Croatia', "Jehovah's Witnesses", 'Communist Albania', 'Current situation (1989 to the present)', 'In the Muslim world', '-chr(a) : Inference and attenuationFloyd 1999, p. 95.', '-sh(i) : HearsayFloyd 1999, p. 123.', 'Affix or clitic', 'Position in the sentence', 'Changes in meaning and other uses', 'Inferential evidential, -chr(a)', 'Hearsay evidential, -sh(i)', 'Omission and overuse of evidential affixes', 'Cultural aspect', 'Literature', 'References'], ['Railways', 'Security concerns', 'Implementations', 'Libraries and converters', 'Criticism', 'See also', 'References'], ['International relations', 'Twin towns – sister cities', 'Partner cities', 'Union of Ibero-American Capital Cities', 'In popular culture', 'Movies', 'Television', 'Video games', 'See also', 'Notes', 'Political views', 'Controversy', 'Legacy and commemoration', 'See also', 'References'], ['In the East', 'In the West', 'Today', 'See also', 'References', 'Sources', 'Further reading'], ['Index of comics books published in the United States', 'References', 'Citations', 'General references'], ['Municipalities', 'Foreign relations and international institutions', 'Military', 'The capital or Federal City issue', 'Economy and labour law', 'Taxation and government spending', 'Labour market', 'Education and science', 'Switzerland and the European Union', 'Energy, infrastructure and environment', 'History', 'Ancient Semitic-speaking peoples', 'Common Era (CE)', 'Present situation', 'Phonology', 'Consonants', 'Vowels', 'Correspondence of sounds with other Afroasiatic languages', 'Grammar', 'Word order', 'Setting', 'Climate', 'History and conservation', 'Ecoregion delineation', 'References', 'Executive branch', 'Legislative branch', 'Municipal Governments', 'Judicial Branch', 'Departments', 'Ports', 'Merchant marine', 'Railways', 'See also', 'References', 'See also', 'References'], ['Career', '1980s', '1990s', '2000s', '2010s', 'Songwriting', 'Theater', 'Amanuensis Productions', 'Personal life', 'Awards and nominations', 'Wednesday, October 3, 2001', 'Thursday, October 4, 2001', 'Friday, October 5, 2001', 'Saturday, October 6, 2001', 'Sunday, October 7, 2001', 'Monday, October 8, 2001', 'Friday, October 12, 2001', 'Monday, October 15, 2001', 'Saturday, October 20, 2001', 'Sunday, October 21, 2001', 'Terminology', 'History', 'Asuka and Nara periods', 'Heian period', 'Late Heian Period, Kamakura Bakufu, and the rise of samurai', 'Ashikaga shogunate and the Mongol invasions', 'Sengoku period', 'Azuchi–Momoyama period', 'Science and technology', 'Computing', 'Communications', 'Etymology', 'History', 'Demographics', 'Languages', 'Religion', 'Administration', 'Geography', 'Largest cities', 'Flora and fauna', 'History', 'Roman era', 'Middle Ages', 'Ottoman period', 'Austro-Hungarian period', 'Second World War', 'Yugoslav period', 'Bosnian War', 'Background', 'Dallas Cowboys', 'Miami Dolphins', 'Playoffs', 'Super Bowl pregame news and notes', 'Legal status', 'Minimum age', 'Procreation', 'Choosing a spouse', 'See also', 'References', 'Scientists and universities', 'Achievements', 'See also', 'Notes', 'References', 'Further reading', 'Worldwide', 'Campus', 'Student life', 'Residential life', 'Greek life', 'Corps of Cadets', 'Activities', 'Media', 'Traditions', 'Sports', 'Maritime industries', 'Largest companies', 'Labor policy', 'Union policies', 'Employment Protection', 'Active Labor Market Policies', 'Working Hours', 'Science and industrial parks', 'Economic research institutes', 'See also', 'References', 'Further reading'], ['Long-distance trains', 'High-speed rail', 'Inter-city trains', 'Regional trains', 'Higher-speed rail', 'Short-distance trains', 'Commuter trains', 'Within cities', 'Rapid transit', 'Tram', 'Slavery', 'State funded social programs', 'Agrarian Justice', 'Religious views', 'Legacy', 'Abraham Lincoln', 'Thomas Edison', 'South America', 'Memorials', 'In popular culture', 'PTC', 'NTC', 'History', 'See also', 'References'], ['Science and technology', 'Genetics', 'Astronomy', 'Electronics and computers', 'Military', 'Entertainment', 'Films and television', 'Fictional characters', 'Music', 'Sixth tale (V, 6)', 'Seventh tale (V, 7)', 'Eighth tale (V, 8)', 'Ninth tale (V, 9)', 'Tenth tale (V, 10)', 'Sixth day', 'First tale (VI, 1)', 'Second tale (VI, 2)', 'Third tale (VI, 3)', 'Fourth tale (VI, 4)', "2012–2017: Rowlands' solo work and Born in the Echoes", '2018–present: No Geography', 'Live', 'Discography', 'Awards and nominations', 'References'], ['Dentistry', 'Social sciences', 'Education', 'Other units', 'Research centres and other special units', 'Affiliated institutes', 'Library', 'Museums', 'Notable academics and alumni', 'Academics', 'Encoding overriding', 'Web browser support', 'Frequency of usage', 'See also', 'References'], ['USS Liberty', 'Attack on the Liberty', 'Events leading to the attack', 'Visual contact', 'Air and sea attacks', 'Nearby structures', 'Blood and lymph supply', 'Nerve supply', 'Microanatomy', 'Development', 'Function', 'Clinical significance', 'Inflammation and infection', 'Incontinence and retention', 'Cancer'], ['History', '1922–1959', 'Early life and education', 'Career', 'Awards and decorations', 'References'], []]



['Wikipedia: Personal jurisdiction', 'Wikipedia: Robert E. Lee', 'Wikipedia: Rudy Giuliani', 'Wikipedia: Reuben James', 'Wikipedia: Søren Kierkegaard', 'Wikipedia: Economy of Saint Pierre and Miquelon', 'Wikipedia: Independence (probability theory)', 'Wikipedia: Semigroup', 'Wikipedia: Timeline for September following the September 11 attacks', 'Wikipedia: Sarkel', 'Wikipedia: Sexuality (disambiguation)', 'Wikipedia: Semiotics', 'Wikipedia: Republic of China Armed Forces', 'Wikipedia: Truth serum', 'Wikipedia: Threads (1984 film)', 'Wikipedia: Video art']
[['Science and technology', 'International principles', 'History in English and U.S. law', 'Afghanistan', 'Algeria', 'Bangladesh', 'Chad', 'Egypt', 'Indonesia', 'Iran', 'Iraq', 'Malaysia', 'Nigeria', 'Media', 'In popular culture', 'See also', 'References', 'Sources', 'Further reading'], ['Timeline', '2003', '2006', '2007', 'Highways', 'Waterways', 'Pipelines', 'Ports and harbours', 'Atlantic Ocean', 'Congo River', 'Early life and education', 'Military engineer career', 'Marriage and family', 'Mexican–American War', 'Early 1850s: West Point and Texas', 'Late 1850s: Arlington plantation and the Custis slaves', 'References'], ['Early life', 'Early life', 'Jobs', 'Career in Europe (1786–1806)', 'Career in the United States (1806–1815)', 'Personal life', 'Legacy', 'Posthumous honors', 'Career', 'Influence', 'References', 'Other sources'], ['Early life', 'Early activism', 'Parks arrest and bus boycott', 'Montgomery buses: law and prevailing customs', 'Refusal to move', 'Montgomery bus boycott', 'Detroit years', '1960s', 'Demographics', 'Languages', 'Health', 'Urbanisation', 'Largest towns', 'Religion', 'Culture', 'Literature', 'Media', 'Sports', 'Cases in nouns and adjectives', 'Number in nouns', 'Verb aspect and tense', 'Morphology: triliteral roots', 'Independent personal pronouns', 'Cardinal numerals', 'Typology', 'Common vocabulary', 'Classification', 'Semitic-speaking peoples', 'Early years (1813–1836)', 'Journals', 'Regine Olsen and graduation (1837–1841)', 'Political parties and elections', 'Boundary dispute', 'International organization participation'], ['Political parties', 'References', 'Political history', 'Islamic Courts Union and Ethiopian intervention', 'Coalition government', 'Reforms', '2010-2012 government', 'Post-transition Roadmap', '2017 Presidential Election', 'Executive branch', 'Classes of assumptions', 'Checking assumptions', 'See also', 'Notes', 'References', 'Discography', 'References'], ['Tuesday, October 30, 2001', 'Wednesday, October 31, 2001', 'References', 'Oda, Toyotomi and Tokugawa', 'Invasions of Korea', 'Battle of Sekigahara', 'Tokugawa shogunate', 'Modernization', 'Dissolution', 'Philosophy', 'Religious influences', 'Doctrine', 'Arts', 'Transportation', 'Arts and entertainment', 'Music', 'Albums', 'Songs', 'Places', 'United States', 'Organizations', 'Other uses', 'See also', 'Rail transport', 'See also', 'References', 'Further reading'], ['Fate of Bosnian Muslim villages', 'British Army documents declassified in 2019', 'Post-war period', 'Politics', 'Local communities', 'Demographics', 'Population', 'Ethnic composition', 'Culture', 'Economy', 'Broadcasting', 'Entertainment', 'Game summary', 'First quarter', 'Second quarter', 'Third quarter', 'Fourth quarter', 'Aftermath', 'Box score', 'Final statistics', 'See also', 'Referential transparency', 'Temporal side effects', 'Idempotence', 'Example', 'See also', 'References', '12th Man', 'Bonfire', 'Athletics', 'Football', 'Basketball', 'Hall of Fame', 'Hall of Honor', 'Lettermen’s Lifetime Achievement Award', 'Notable alumni', 'Notes', 'References', 'Notes', 'Further reading'], ['Etymology', 'History', 'Ancient history', 'Early history', 'Modern history', 'Geography', 'Climate', 'Cityscape', 'Demographics', 'Ethnic make-up', 'Light rail', 'Monorail', 'Maglev', 'Railcar', 'Other types', 'Freight trains', 'See also', 'Rail transport', 'In popular culture', 'Rail accidents', 'See also', 'Notes', 'References', 'Citations', 'Sources', 'Fiction', 'Primary sources'], ['Works by Thomas Paine', 'History', 'Early developments', 'Era of precision thermometry', 'Registering', 'Physical principles of thermometry', 'Thermometric materials', 'Constant volume thermometry', 'Games', 'Comics', 'Other entertainment', 'People', 'Other uses', 'See also', 'Fifth tale (VI, 5)', 'Sixth tale (VI, 6)', 'Seventh tale (VI, 7)', 'Eighth tale (VI, 8)', 'Ninth tale (VI, 9)', 'Tenth tale (VI, 10)', 'Seventh day', 'First tale (VII, 1)', 'Second tale (VII, 2)', 'Third tale (VII, 3)', 'Plot', 'Cast', 'Production and themes', 'Broadcast and release history', 'Reception', 'Initial', 'Alumni', 'Rectors', 'Seal', 'Fees', 'Rankings', 'International cooperation', 'See also', 'References', 'Further reading'], ['Visibility', 'Discovery', 'Subtypes', 'Solar ultraviolet', 'Blockers, absorbers, and windows', 'Artificial sources', '"Black lights"', 'Aftermath of the attack', 'Investigations of the attack', 'U.S. government investigations', 'Israeli government investigations', 'Ongoing controversy and unresolved questions', 'NSA tapes and subsequent developments', 'Details in dispute', 'References', 'Notes', 'Citations', 'Investigation', 'Other animals', 'Reptiles', 'Amphibians', 'Fish', 'Mammals', 'Birds', 'Crustaceans', 'Additional images', 'See also', '1960s–1990s', '1999–2013', '2013–present', 'Sectors', 'Petroleum and other resources', 'Manufacturing', 'Agriculture', 'Trade', 'Labor', 'Infrastructure', 'Early history', 'In the 1970s', '1980s-1990s', 'After 2000']]



['Wikipedia: Protein quaternary structure', 'Wikipedia: Rockwell International', 'Wikipedia: Telecommunications in Saint Pierre and Miquelon', 'Wikipedia: Siberian Husky', 'Wikipedia: Steve Bracks', 'Wikipedia: List of science fiction editors', 'Wikipedia: On the Origin of Species', 'Wikipedia: Tambo', 'Wikipedia: Tyre, Lebanon', 'Wikipedia: UseModWiki', 'Wikipedia: Uppsala University', 'Wikipedia: USB', 'Wikipedia: U-571 (film)', 'Wikipedia: Vanilla']
[['United States', 'Principles of personal jurisdiction', 'Consent', 'Power', 'Notice', 'Historical background: territorial jurisdiction', 'Difficulties in applying Pennoyer territorial jurisdiction', 'Modern Constitutional doctrine: International Shoe doctrine', 'Statutory authorization', 'Relationship to venue', 'Pakistan', 'Saudi Arabia', 'Somalia', 'Sudan', 'Syria', 'Turkey', 'Yemen', 'Bhutan', 'North Korea', 'Indochina region', 'Description and examples', 'Nomenclature', 'Determination', 'Intragenic complementation', 'Prediction', 'Direct mass measurement of intact complexes', 'Other rivers', 'Sangha River', 'Air', 'Airports - with paved runways', 'Airports - with unpaved runways', 'See also', 'References', 'The Norris case', "Lee's views on race and slavery", 'Harpers Ferry and Texas, 1859–1861', 'Harpers Ferry', 'Texas', 'Civil War', 'Resignation from United States Army', 'Early role', 'Commander, Army of Northern Virginia (June 1862 – June 1863)', 'Battle of Gettysburg', 'Legal career', 'Mafia Commission trial', 'Boesky, Milken trials', 'Mayoral campaigns', '1989', '1993', '1997', 'Mayoralty', 'Law enforcement', 'City services', 'Places named for Fulton', 'Counties', 'Cities and towns', 'Other places', 'In popular culture', 'Gallery', 'Publications', 'See also', 'References', 'Sources', 'History', 'Predecessor companies', 'Apex and break-up', '1970s', '1980s', '1990s', '2000s', 'Death and funeral', 'Legacy and honors', 'In popular culture', 'See also', 'Notes', 'References', 'Cuisine', 'See also', 'Notes and references', 'Notes', 'References', 'Bibliography'], ['Central Semitic', 'East Semitic', 'South Semitic', 'Unknown', 'See also', 'Notes', 'References', 'Additional reference literature'], ['Authorship (1843–1846)', 'Hidden inwardness', 'Pseudonyms', 'The Corsair Affair', 'Authorship (1847–1855)', 'Attack upon the Lutheran State Church', 'Death', 'Reception', '19th-century reception', 'Early-20th-century reception', 'See also', 'References', 'Legislative branch', 'Judicial branch', 'Political parties and elections', 'Administrative divisions', 'International organization participation', 'See also', 'References'], ['Definition', 'For events', 'Two events', 'Log probability and information content', 'Odds', 'More than two events', 'For real valued random variables', 'Two random variables', 'Definition', 'Examples of semigroups', 'Basic concepts', 'Identity and zero', 'Subsemigroups and ideals', 'Homomorphisms and congruences', 'Quotients and divisions', 'Structure of semigroups', 'Special classes of semigroups', 'Structure theorem for commutative semigroups', 'September 2001', 'Tuesday, September 11', 'Wednesday, September 12', 'Thursday, September 13', 'Friday, September 14', 'Saturday, September 15', 'Sunday, September 16', 'Monday, September 17', 'Tuesday, September 18', 'Wednesday, September 19', 'Culture', 'Education', 'Names', 'Marriage', 'Women', 'Foreign samurai', 'Weapons', 'Armor', 'Combat techniques', 'Head collection', 'Lineage', 'Description', 'Coat', 'Location', 'Construction', 'History', 'See also', 'Notes', 'References'], ['Notable people', 'References', 'Sources'], ['Statistical comparison', 'Individual statistics', 'Records Set', 'Starting lineups', 'Officials', 'References'], ['Further reading', 'History and terminology', 'John Locke', 'Ferdinand de Saussure', 'Charles Sanders Peirce', "Peirce's list of categories", 'Formulations and subfields', 'Syntactics', 'Cognitive semiotics', 'A', 'B', 'C', 'D', 'References'], ["Summary of Darwin's theory", 'Names', 'History', 'Origin and nationalization', 'ROC Army', 'ROC Navy', 'ROC Marine Corps', 'ROC Air Force', 'ROC Military Police', 'Rise of the PRC', 'Religion', 'Politics', 'Municipal government', 'International politics', 'Twin towns and sister cities', 'Economy', 'Culture', 'Sports', 'Annual events', 'Notable people', 'References', 'Further reading'], ['Territory', 'Etymology', 'Climate', 'History', 'Radiometric thermometry', 'Primary and secondary thermometers', 'Calibration', 'Precision, accuracy, and reproducibility', 'Indirect methods of temperature measurement', 'Applications', 'Nanothermometry', 'Cryometer', 'Medical', 'Food and food safety', 'Active chemical substances', 'Reliability', 'Use by country', 'India', 'Russia', 'United States', 'See also', 'Fourth tale (VII, 4)', 'Fifth tale (VII, 5)', 'Sixth tale (VII, 6)', 'Seventh tale (VII, 7)', 'Eighth tale (VII, 8)', 'Ninth tale (VII, 9)', 'Tenth tale (VII, 10)', 'Eighth day', 'First tale (VIII, 1)', 'Second tale (VIII, 2)', 'Retrospective', 'Awards and nominations', 'See also', 'References'], ['History', '15th century: origins', '16th century: Turbulent times', 'Short-wave ultraviolet lamps', 'Incandescent lamps', 'Gas-discharge lamps', 'Ultraviolet LEDs', 'Ultraviolet lasers', 'Tunable vacuum ultraviolet (VUV) via sum and difference frequency mixing', 'Plasma and synchrotron sources of extreme UV', 'Human health-related effects', 'Beneficial effects', 'Skin conditions', 'Bibliography', 'Further reading'], ['References'], ['Plot', 'Transportation', 'Energy', 'Energy statistics', 'Statistics', 'Economy data', 'Currency black market', 'Socioeconomic indicators', 'Social development', 'Poverty and hunger', 'Education', 'Performance art and video art', 'References', 'Further reading']]



["Wikipedia: Pell's equation", 'Wikipedia: Pet', 'Wikipedia: Armed Forces of the Republic of the Congo', 'Wikipedia: Real Time Streaming Protocol', 'Wikipedia: Ringworld (role-playing game)', 'Wikipedia: Sri Lanka', 'Wikipedia: Sammy Sosa', 'Wikipedia: Somali Armed Forces', 'Wikipedia: Streaming media', 'Wikipedia: Super Bowl VII', 'Wikipedia: Theravada', 'Wikipedia: Tripoli', 'Wikipedia: Travelling salesman problem', 'Wikipedia: Telecommunications in Venezuela']
[['See also', 'Notes'], ['See also', 'References', 'Sources'], ['Direct size measurement of intact complexes', 'Indirect size measurement of intact complexes', 'Protein–protein interactions', 'See also', 'Notes', 'References'], ['History', 'Army', 'Equipment', 'Tanks', 'Infantry fighting vehicles', 'Self Propelled guns', 'Ulysses S. Grant and the Union offensive', 'General in Chief', "Summaries of Lee's Civil War battles", 'Postbellum life', "President Johnson's amnesty pardons", 'Postwar politics', 'Illness and death', 'Legacy', 'Monuments, memorials and commemorations', 'Dates of rank', 'Appointees as defendants', '2000 U.S. Senate campaign', 'September 11 terrorist attacks', 'Response', 'Emergency command center location and communications problems', 'Public reaction', 'Time Person of the Year', 'Aftermath', 'Post-mayoralty', 'Politics'], ['Protocol directives', 'Rate adaptation', 'Products', 'Aircraft', 'Manned spacecraft', 'Rocket Propulsion (Rocketdyne Division)', 'Missiles', 'Unmanned aerial vehicles', 'Research laboratory', 'References', 'Further reading', 'Primary sources', 'Further reading'], ['Setting', 'Toponymy', 'History', 'Prehistory', 'Ancient History', 'Polonnaruwa period', 'Kandyan period', 'Early life and education', 'Major league career', 'Texas Rangers, Chicago White Sox (1989–1991)', 'Chicago Cubs (1992–2004)', "German and English translators of Kierkegaard's works", 'Kierkegaard’s influence on Karl Barth’s early theology', 'Later-20th-century reception', 'Philosophy and theology', 'Philosophical criticism', 'Political views', 'Influence', 'Selected bibliography', 'Notes', 'References', 'Telephony', 'Radio', 'Television', 'Internet', 'See also', 'References'], ['History', 'Middle Ages to colonial period', '1960 to 1991', 'Transitional period', 'Creation of Federal Government', 'More than two random variables', 'For real valued random vectors', 'For stochastic processes', 'For one stochastic process', 'For two stochastic processes', 'Independent σ-algebras', 'Properties', 'Self-independence', 'Expectation and covariance', 'Characteristic function', 'Group of fractions', 'Semigroup methods in partial differential equations', 'History', 'Generalizations', 'See also', 'Notes', 'Citations', 'References', 'Thursday, September 20', 'Friday, September 21', 'Saturday, September 22', 'Sunday, September 23', 'Monday, September 24', 'Week of Monday, September 24', 'Tuesday, September 25', 'Wednesday, September 26', 'Thursday, September 27', 'Friday, September 28', 'Military formations', 'Martial arts', 'Myth and reality', 'In popular culture', 'Festivals', 'Famous samurai', 'Samurai museums', 'See also', 'References', 'Bibliography', 'Eyes', 'Nose', 'Tail', 'Size', 'Behavior', 'Health', 'History', 'In popular culture', 'See also', 'References', 'History', 'Multimedia compression', 'Late 1990s to early 2000s', 'Etymology', 'Early life', 'Before politics', 'State politics', 'Early days', 'First term as Premier', 'Second term as Premier', 'Third term as Premier', 'Resignation', 'After politics', 'Background', 'Miami Dolphins', 'Washington Redskins', 'Playoffs', 'Super Bowl pregame news and notes', 'Finite semiotics', 'Pictorial semiotics', 'Globalization', 'Semiotics of dreaming', 'List of subfields', 'Notable semioticians', 'Current applications', 'Main institutions', 'Publications', 'See also', 'E', 'F', 'G', 'H', 'I', 'J', 'K', 'L', 'M', 'N', 'Background', "Developments before Darwin's theory", "Inception of Darwin's theory", 'Further development', 'Publication', 'Time taken to publish', 'Events leading to publication: "big book" manuscript', 'Joint publication of papers by Wallace and Darwin', 'Abstract of Species book', 'Murray as publisher; choice of title', 'Personnel', 'Organization', 'Military branches and structure', 'Arms purchases and weapons development', 'Arms purchases', 'Local Weapons Development', 'Reforms and development', 'Civilian control of the military', 'Doctrine and exercises', 'Strategy', 'Transport', 'Air', 'Rail', 'Urban transport', 'Road', 'See also', 'References', 'Citations', 'Sources'], ['People', 'Places', 'Australia', 'Queensland', 'Victoria', 'Peru', 'Elsewhere', 'Art, entertainment, and media', 'Fictional characters', 'Other', 'Founding Millenium (2750–1700 BCE)', 'Egyptian period (1700–1200 BCE)', 'Independent Phoenician period (1200–868 BCE)', 'Neo-Assyrian period (868–612 BCE)', 'Independent and Neo-Babylonian period (612–539 BCE)', 'Persian period (539–332 BCE)', 'Hellenistic period (332–126 BCE)', 'Independence from Seleucid Empire (126–64 BCE)', 'Roman period (64 BCE – 395 CE)', 'Byzantine period (395–640)', 'Environmental', 'See also', 'References', 'Further reading'], ['References'], ['History'], ['Patents', 'History', 'Third tale (VIII, 3)', 'Fourth tale (VIII, 4)', 'Fifth tale (VIII, 5)', 'Sixth tale (VIII, 6)', 'Seventh tale (VIII, 7)', 'Eighth tale (VIII, 8)', 'Ninth tale (VIII, 9)', 'Tenth tale (VIII, 10)', 'Ninth day', 'First tale (IX, 1)', 'History', 'UseModWiki versions', 'See also', 'References'], ['17th century: Expansion', '18th century: Enlightenment and mercantilism', 'Women at the university', 'Administration and organisation', 'Central administration', 'Faculties', 'Faculty of Law', 'University Library', 'Uppsala University Hospital', 'The Svedberg Laboratory', 'Overview', 'Receptacle (socket) identification', 'Objectives', 'Limitations', 'History', 'USB 1.x', 'USB 2.0', 'USB 3.x', 'Naming scheme', 'USB4', 'Cast', 'Production', 'Critical reception', 'Awards and nominations', 'Historical correlation', 'Historical inaccuracies', 'Technical inaccuracies', 'Inaccurate portrayal of U-boat sailors', 'Actual fates of U-571, S-33, and Z-49', 'See also', 'Health care', 'Technology', 'See also', 'Notes', 'References'], ['History', 'Etymology', 'Biology', 'Vanilla orchid', 'Cultivars', 'Chemistry', 'Cultivation', 'Propagation, preparation and type of stock', 'Tissue culture', 'Scheduling considerations']]



['Wikipedia: Quest for Glory', 'Wikipedia: Foreign relations of the Republic of the Congo', 'Wikipedia: Real-time Transport Protocol', 'Wikipedia: Richard I of England', 'Wikipedia: Star Trek: The Next Generation', 'Wikipedia: Saint Vincent and the Grenadines', 'Wikipedia: Super Mario Kart', 'Wikipedia: SAC', 'Wikipedia: Slackware', 'Wikipedia: Skiing', 'Wikipedia: Small Isles', 'Wikipedia: Tom and Jerry (disambiguation)', 'Wikipedia: Tunnels & Trolls', 'Wikipedia: Constitution of the United States', 'Wikipedia: United Nations Relief and Rehabilitation Administration', 'Wikipedia: Transport in Venezuela']
[['History', 'Solutions', 'Fundamental solution via continued fractions', 'Additional solutions from the fundamental solution', 'Concise representation and faster algorithms', 'Quantum algorithms', 'Example', 'The smallest solution of Pell equations', 'Connections', 'Algebraic number theory', 'Pet popularity', 'China', 'Italy', 'United Kingdom', 'United States', "Effects on pets' health", "Effects of pets on their caregiver's health", 'Health benefits', 'Observed correlations', 'Series', 'Gameplay', 'Games', 'Quest for Glory: So You Want to Be a Hero', 'Quest for Glory II: Trial by Fire', 'Quest for Glory III: Wages of War', 'Small Arms', 'Anti-Aircraft guns', 'Navy', 'Air Force', 'References', 'In popular culture', 'See also', 'References', 'Bibliography', 'Historiography', 'Further reading'], ['Primary sources', 'Monuments and memorials', 'Before 2008 election', '2008 presidential campaign', 'After 2008 election', 'Relationship with Donald Trump', 'Presidential campaign supporter', 'Advisor to the president', 'Personal lawyer', 'Attempts to get Ukraine to carry out investigations', 'Giuliani Partners', 'Bracewell & Giuliani', 'Implementations', 'Server', 'Client', 'References'], [], ['Early life and accession in Aquitaine', 'Childhood', 'Game play', 'Game system', 'Publications', 'Ringworld Box Set', 'Explorer Book', 'Gamemaster Book', 'Technology Book', 'Creature Book', 'Ringworld Companion', 'Reception', '1948-present: Independence and civil war', 'Geography', 'Climate', 'Flora and fauna', 'Government and politics', 'Politics', 'Administrative divisions', 'Foreign relations', 'Military', 'Economy', 'Baltimore Orioles and year off (2005–2006)', 'Texas Rangers and end of career (2007–2009)', 'Drug test controversy and Hall of Fame', 'Personal life', 'See also', 'Notes', 'References', 'Further reading'], ['Citations', 'Sources'], ['Etymology', 'History', 'Pre-colonial period', 'European arrival and early colonial period', 'Somali National Army from 2008', 'Training and facilities', 'Strength and units', 'Agreements', 'Uniform & camouflage', 'Army equipment', 'Army equipment, 1981', 'Army equipment, 1989', 'Equipment donations, 2012–2013', 'Army inventory', 'Examples', 'Rolling dice', 'Drawing cards', 'Pairwise and mutual independence', 'Mutual independence', 'Conditional independence', 'For random variables', 'See also', 'References'], ['Gameplay', 'Modes', 'Characters', 'Tracks', 'Development', 'Saturday, September 29', 'Sunday, September 30', 'References', 'Historiography'], ['Name'], ['History', 'Types', 'Business developments', 'Streaming wars', 'Use of streaming media by the general public', 'Transition from a DVD based to streaming based viewing culture', 'The roots of music streaming: Napster', 'The fight for intellectual property rights: A&M Records, Inc. v. Napster, Inc.', 'Music streaming platforms', 'Bandwidth and storage', 'Protocols', 'Protocol challenges', 'References', 'Name', 'Geography', 'Broadcasting', 'Entertainment', 'Game summary', 'First Quarter', 'Second Quarter', 'Third Quarter', 'Fourth Quarter', 'Delayed White House visit', 'Box score', 'Final statistics', 'References', 'Footnotes', 'Citations', 'Bibliography'], ['Peircean focus', 'Journals and book series', 'O', 'P', 'Q', 'R', 'S', 'T', 'U', 'V', 'W', 'Y', 'Publication and subsequent editions', 'Publication outside Great Britain', 'Content', 'Title pages and introduction', 'Variation under domestication and under nature', 'Struggle for existence, natural selection, and divergence', 'Variation and heredity', 'Difficulties for the theory', 'Geological record', 'Geographic distribution', 'Foreign cooperation', 'El Salvador', 'Eswatini', 'Guatemala', 'Honduras', 'Japan', 'Nicaragua', 'Paraguay', 'Singapore', 'United States', 'Cartoon works', 'Featuring the cat and mouse', 'Others', 'See also', 'History', 'Setting', 'Early Muslim period (640–1124)', 'Crusader period (1124–1291)', 'Mamluk period (1291–1516)', 'Ottoman period (1516–1918)', 'Maan clan rule', "Rise and rivalry of the feudal Zu'ama", 'Egyptian Occupation (1831–1839)', 'French influence zone (from mid-19th c. on)', 'World War I', 'Pan-Arab Kingdom of Syria vs. French-British OETA (1918–1920)', 'History', 'Origins', 'Transmission to Sri Lanka', 'Development of the Pāli textual tradition', 'Sri Lankan Theravāda sects', 'Mahāyāna influence', 'Reign of Parakramabahu I', 'Spread to Southeast Asia', '16th to 19th centuries', 'Barbary Wars', 'Late Ottoman era', 'Italian era', 'Gaddafi era', 'Libyan civil war', 'Law and government', 'Geography', 'Administrative division', 'Climate', 'Description', 'As a graph problem', 'Asymmetric and symmetric', 'Related problems', 'Integer linear programming formulations', 'Miller–Tucker–Zemlin formulation', 'Dantzig–Fulkerson–Johnson formulation', 'Computing a solution', 'Exact algorithms', 'Heuristic and approximation algorithms', 'Second tale (IX, 2)', 'Third tale (IX, 3)', 'Fourth tale (IX, 4)', 'Fifth tale (IX, 5)', 'Sixth tale (IX, 6)', 'Seventh tale (IX, 7)', 'Eighth tale (IX, 8)', 'Ninth tale (IX, 9)', 'Tenth tale (IX, 10)', 'Tenth day', 'Background', 'First government', 'Articles of Confederation', 'History', '1787 drafting', '1788 ratification', 'Campus', 'Student life', 'Nations and student union', 'Music', 'Housing crisis', 'Housing', 'Athletics', 'The exercitiae', 'Other sports', 'Rankings', 'Version history', 'Release versions', 'Power-related specifications', 'System design', 'Device classes', 'USB mass storage / USB drive', 'Media Transfer Protocol', 'Human interface devices', 'Device Firmware Upgrade', 'Audio streaming', 'References', 'Sources'], ['Broadcast media', 'Internet', 'Pollination', 'Pest and disease management', 'Artificial vanilla', 'Nonplant vanilla flavoring', 'Harvest', 'Curing', 'Killing', 'Sweating', 'Drying', 'Conditioning']]



['Wikipedia: Raging Bull', 'Wikipedia: Raster graphics', 'Wikipedia: Risus', 'Wikipedia: Spenser (character)', 'Wikipedia: Sherrié Austin', 'Wikipedia: Seymour Papert', 'Wikipedia: Shetland', 'Wikipedia: Sojourner Truth', 'Wikipedia: Square-free integer', 'Wikipedia: Tim Powers']
[['Chebyshev polynomials', 'Continued fractions', 'Smooth numbers', 'The negative Pell equation', "Generalized Pell's equation", 'Notes', 'References', 'Bibliography', 'Further reading'], ['Pets in long-term care institutions', 'Connection with community', 'Health risks', 'Legislation', 'Treaties', 'National and local laws', 'Environmental impact', 'Types', 'Domesticated', 'Mammals', 'Quest for Glory: Shadows of Darkness', 'Quest for Glory V: Dragon Fire', 'Collections', 'Original concept', 'Characters', 'World', 'References'], ['Bilateral relations', 'See also', 'References', 'Etymology', 'Applications', 'Computer displays', 'Image storage', 'Greenberg Traurig', 'Lobbying in Romania', 'Pierce Bainbridge Beck Price & Hecht and Davidoff Hutcher & Citron', 'Personal life', 'Marriages and relationships', 'Prostate cancer', 'Religion and beliefs', 'Awards and honors', 'Media references', 'See also', 'Overview', 'Profiles and payload formats', 'Packet header', 'Application design', 'Standards documents', 'See also', 'Notes', 'References', 'Revolt against Henry II', "Final years of Henry II's reign", 'King and crusader', 'Coronation and anti-Jewish violence', 'Crusade plans', 'Occupation of Sicily', 'Conquest of Cyprus', 'Marriage', 'In the Holy Land', 'Life after the Third Crusade', 'Reviews', 'References'], ['Demographics', 'Languages', 'Religion', 'Health', 'Education', 'Transport', 'Human rights and media', 'Culture', 'Food and festivals', 'Visual, literary and performing arts', 'Fictional biography', 'Hawk', 'Maternal mystery', 'Young Spenser', 'Production', 'Background', 'Syndication and profitability', 'Seasons', 'Season 1 (1987–1988)', 'Season 2 (1988–1989)', 'Season 3 (1989–1990)', 'Season 4 (1990–1991)', 'Season 5 (1991–1992)', 'Season 6 (1992–1993)', 'French and British colonisation and the First Carib War', 'British colonial period and the Second Carib War', '20th century', 'Post-independence era', 'Geography', 'Government and politics', 'Political culture', 'Military', 'Administrative divisions', 'LGBT rights', 'Current army vehicles and heavy equipment', 'Current small arms', 'Somali Air Force', 'Somali Navy', 'Chief of Defence Force', 'Military ranks', 'Notes', 'References', 'Further reading'], ['Career', 'Early career', 'Nashville move', 'Reception', 'Legacy', 'Sequels', 'Notes', 'References'], ['Organizations', 'Education', 'Government and military', 'China', 'United States', 'Sports', 'Other organizations', 'Science and technology', 'Computing', 'Biology and medicine', 'History', 'Birth', 'Development', 'Design philosophy', 'Development model', 'Packages', 'Management', 'Dependency resolution', 'Repositories', 'Releases', 'Alpine', 'Nordic', 'Telemark', 'Competition', 'Equipment', 'Technique', 'On other surfaces', 'Gallery', 'See also', 'References', 'Applications and marketing', 'Recording', 'Copyright', 'Greenhouse gas emissions', 'See also', 'References', 'Further reading'], ['Demographics', 'Transport', 'Nature and conservation', 'Footnotes'], ['Statistical comparison', 'Individual statistics', 'Records Set', 'Starting lineups', 'Officials', 'Super Bowl postgame news', 'Notes', 'References/Notes', 'Bibliography'], ['Early years', 'Freedom', 'The result of freedom', '"Ain\'t I a Woman?"', 'Other speeches', 'On a mission', 'See also', 'References'], ['Classification, morphology, embryology, rudimentary organs', 'Concluding remarks', 'Structure, style, and themes', "Nature and structure of Darwin's argument", 'Literary style', 'Human evolution', 'Reception', 'Impact on the scientific community', 'Impact outside Great Britain', 'Challenges to natural selection', 'Military parades', 'Military ranks', 'Major deployments, battles and incidents', '1912–1949', 'Since 1949', 'Nuclear weapons program', 'Budget', 'Chief of the General Staffs', 'See also', 'Notes', 'Other fictional characters', 'Non-cartoon works', 'Performing pairs', 'In other uses', 'See also', 'Gameplay', 'Prime attributes', 'Character races', 'Character classes', 'Starting equipment and money', 'Combat', 'Saving rolls', 'Reception', 'Reviews', 'List of Tunnels & Trolls publications', 'French Mandate colonial rule (1920–1943)', 'World War II', '1943 Lebanese independence', '1948 Palestinian exodus', '1958 Lebanese Civil War', 'Musa Sadr era (1959–1978)', '1967 Six-Day War', '1973 Yom Kippur War', 'Lebanese Civil War (1975–1990)', '1978 South Lebanon conflict with Israel', 'Myanmar', 'Cambodia and Thailand', 'Tantric and esoteric innovations', 'Modernisation and spread to the West', 'Reaction against Western colonialism', 'Sri Lanka', 'Thailand and Cambodia', 'Modern developments', 'Texts', 'Pāli Canon', 'Economy', 'Architecture', 'Culture', 'Places of worship', 'Education', 'Sports', 'Transport', 'Gallery', 'International relations', 'See also', 'Constructive heuristics', 'The Algorithm of Christofides and Serdyukov', 'Iterative improvement', 'Pairwise exchange', 'k-opt heuristic, or Lin–Kernighan heuristics', 'V-opt heuristic', 'Randomized improvement', 'Ant colony optimization', 'Special cases', 'Metric', 'First tale (X, 1)', 'Second tale (X, 2)', 'Third tale (X, 3)', 'Fourth tale (X, 4)', 'Fifth tale (X, 5)', 'Sixth tale (X, 6)', 'Seventh tale (X, 7)', 'Eighth tale (X, 8)', 'Ninth tale (X, 9)', 'Tenth tale (X, 10)', 'Influences', 'Original frame', 'Preamble', 'Article I', 'Article II', 'Article III', 'Article IV', 'Article V', 'Article VI', 'Article VII', 'Notable people', 'International cooperation', 'In fiction and popular culture', 'See also', 'References', 'Further reading'], ['Connectors', 'Cabling', 'USB Bridge Cables', 'Dual-Role USB Connections', 'Power', 'Low-power and high-power devices', 'Signaling', 'Electrical specification', 'Protocol layer', 'Transactions', 'Founding and authority', 'Operations', 'See also', 'References', 'Films', 'Further reading'], ['Railways', 'Cities with underground railway systems', 'See also', 'Railway links with adjoining countries', 'Maps', 'Standards', 'Stations', 'Timeline', 'Grading', 'Production', 'Uses', 'Contact dermatitis', 'Gallery', 'References', 'Further reading'], []]



['Wikipedia: Telephone card', 'Wikipedia: Quango', 'Wikipedia: Rerun', 'Wikipedia: Renaissance dance', 'Wikipedia: Robert Calvert', 'Wikipedia: Rigel', 'Wikipedia: Sun', 'Wikipedia: Foreign relations of Somalia', 'Wikipedia: Strategic Air Command', 'Wikipedia: Sequencer', 'Wikipedia: Spice Girls', 'Wikipedia: Session Initiation Protocol', 'Wikipedia: Super Bowl VIII', 'Wikipedia: Foreign relations of Taiwan', 'Wikipedia: Tower of Babel', 'Wikipedia: The Book of the City of Ladies', 'Wikipedia: Universal access to education', 'Wikipedia: UNRWA', 'Wikipedia: Video editing software']
[['Stored-value phone cards', 'Remote memory systems', 'Telephone accounts symbolized by a card', 'Birds', 'Fish', 'Arthropods', 'Wild animals', 'History', 'Prehistory', 'Ancient history', 'Victorian era: the rise of modern pet keeping', 'Economy', 'Social', 'Use', 'Ireland', 'United Kingdom', 'United States', 'History', 'Plot', 'Cast', "LaMotta's opponents", 'Production', 'Development', 'Screenplay', 'Casting', 'Principal photography', 'Geographic information systems', 'Resolution', 'Raster-based image editors', 'References', 'References', 'Further reading'], [], ['Biography', 'Discography', 'Captivity, ransom and return', 'War against Philip of France', 'Death', 'Character and sexuality', 'Legacy', 'Heraldry', 'Medieval folklore', 'Modern reception', 'Ancestry', 'See also', 'History', 'Risus Companion', 'International Order of Risus', 'Notes'], ['Sport', 'See also', 'Notes', 'References'], ["Spenser's firearms", 'Novels', 'Adaptations', 'Spenser TV series', 'First Spenser film series', 'Second Spenser film series', 'Spenser Netflix movie', 'Shared universe', 'References'], ['Season 7 (1993–1994)', 'Legacy', 'Episodes', 'Cast', 'Main', 'Recurring', 'Story arcs and themes', 'Reception', 'Games', 'Films', 'Foreign relations', 'International and regional relationships', 'The Double Taxation Relief (CARICOM) Treaty', 'FATCA', 'International and regional bodies to which St. Vincent and the Grenadines belong', 'Organisation of American States', 'Summits of the Americas', 'Indigenous Leaders Summits of Americas (ILSA)', 'European nations', 'Venezuela', 'Bilateral relations', 'Africa', 'Americas', 'Broadway years', 'Nashville return', 'Circus Girl (2011)', 'Discography', 'Studio albums', 'Singles', 'Music videos', 'Filmography', 'References'], ['Early years and education', 'Career', 'Research', 'Constructionism', 'Logo', 'Selected bibliography', 'Other work', 'Transportation', 'Places', 'Other uses', 'See also', 'Support', 'Hardware architectures', 'Distribution', 'Use', 'References'], [], ['Band history', '1994–1996: Formation and early years', 'History', 'Protocol operation', 'Network elements', 'User agent', 'Proxy server', 'Etymology', 'Geography and geology', 'Climate', 'Prehistory', 'History', 'Scandinavian colonisation', 'Increased Scottish interest', 'Absorption by Scotland', 'Background', 'Miami Dolphins', 'Minnesota Vikings', 'Illness and Death', 'Legacy', 'Monuments & Statues', 'Michigan', 'Ohio', 'New York', 'California', 'Massachusetts', 'Washington, D.C.', 'Additional Recognition', 'Square-free factorization', 'Square-free factors of integers', 'Equivalent characterizations', 'Dirichlet series', 'Distribution', 'Table of  Q(x),\\frac{6}{\\pi^2}x and R(x)', 'Encoding as binary numbers', 'Erdős squarefree conjecture', 'Squarefree core', 'Notes', 'Impact on economic and political debates', 'Religious attitudes', 'Modern influence', 'See also', 'References', 'Works cited', 'Further reading', 'Contemporary reviews'], ['References'], ['Bibliography', 'Life and career', 'Bibliography', 'Novels', 'Short story collections', 'Other', "Critical studies and reviews of Powers' work", 'Notes'], ['Solo adventures', 'GM adventures', 'Pocket solo adventures', "Sorcerer's Apprentice Magazine", 'Reference publications', 'Spin-offs', 'Video games', 'See also', 'References'], ['Post-Sadr Era (since 1978)', 'Amal-PLO-Israel conflicts', '1982 Lebanon War with Israel and Occupation', '1985 Israeli Withdrawal and Amal-PLO-Hezbollah conflicts', 'Post-Civil War', '2006 Lebanon War', 'Post-2006 War', 'Coast Nature Reserve', 'Cultural heritage', 'Scriptural', 'Vinaya (monastic discipline) and Abhidhamma', 'Non-canonical literature', 'Doctrine', 'Core teachings', 'Abhidhamma philosophy', 'Doctrinal differences with other Buddhist schools', 'Modern trends', 'Practice (paṭipatti)', 'Textual basis', 'Moral conduct', 'References and notes', 'Further reading'], ['Euclidean', 'Asymmetric', 'Conversion to symmetric', "Analyst's problem", 'Path length for random sets of points in a square', 'Upper bound', 'Lower bound', 'Computational complexity', 'Complexity of approximation', 'Human and animal performance', 'Conclusion', 'See also', 'References'], ['Closing endorsement', 'Amending the Constitution', 'Ratified amendments', 'Safeguards of liberty (Amendments 1, 2, and 3)', 'Safeguards of justice (Amendments 4, 5, 6, 7, and 8)', 'Unenumerated rights and reserved powers (Amendments 9 and 10)', 'Governmental authority (Amendments 11, 16, 18, and 21)', 'Safeguards of civil rights (Amendments 13, 14, 15, 19, 23, 24, and 26)', 'Government processes and procedures (Amendments 12, 17, 20, 22, 25, and 27)', 'Unratified amendments', 'Non-discrimination and equality in education', 'Access to education by law', 'Universal access', 'Bibliography', 'See also', 'Sources', 'Related standards', 'Comparisons with other connection methods', 'IEEE 1394', 'Ethernet', 'MIDI', 'eSATA/eSATAp', 'Thunderbolt', 'Interoperability', 'Security threats', 'See also', 'History and operations', 'Definition of refugee', 'Organisation and mandate', 'Advisory Commission', 'Areas of operation', 'Funding', '2006', '2008', '2009', 'Highways', 'Motorways', 'Waterways', 'Pipelines', 'Ports and harbors', 'Merchant marine', 'Air travel', 'See also', 'References']]



['Wikipedia: CD-i', 'Wikipedia: Quiver', 'Wikipedia: Rem Koolhaas', 'Wikipedia: RFPolicy', 'Wikipedia: Spanish', 'Wikipedia: Politics of South Africa', 'Wikipedia: Stratified sampling', 'Wikipedia: Search engine (computing)', 'Wikipedia: Stalingrad (disambiguation)', 'Wikipedia: Sentinel (comics)', 'Wikipedia: Texas Declaration of Independence', 'Wikipedia: T. S. Eliot', 'Wikipedia: Trombetas River', 'Wikipedia: Trinity College, Cambridge', 'Wikipedia: 1996 United States presidential election', 'Wikipedia: National Bolivarian Armed Forces of Venezuela', 'Wikipedia: VisiCalc']
[['Accounts without a card (Virtual phonecards)', 'Phonecard as an artifact or collectible', 'Support in telephones', 'See also', 'Notes and references', 'Entertainment', 'Pet ownership by non-humans', 'Pets in art', 'See also', 'References', 'Further reading'], ['Criticisms', 'See also', 'References'], ['Post-production', 'Copyright litigation', 'Reception', 'Box office', 'Critical reception', 'Accolades', 'Legacy', 'American Film Institute recognition', 'Soundtrack', 'Proposed sequel', 'Variations', 'Reruns in the United States', 'During hiatus', 'Television specials', 'Syndication', 'Classic television', 'DVD retail', 'TV listings', 'Repeats in the United Kingdom', 'Fifteenth-century Italian dance', 'Gallery', 'References', 'Sources'], ['Modern performance', 'Studio Albums', 'Demo Albums', 'Live Albums', 'Singles', 'With Hawkwind', 'With Dave Brock', 'Guest appearances', 'Bibliography', 'Plays', 'Poetry collections', 'Notes', 'References', 'Citations', 'Bibliography', 'Further reading'], ['Nomenclature', 'Observation', 'Spectroscopy', 'Variability', 'Mass loss', 'Distance', 'Stellar system', 'Physical characteristics', 'Name and etymology', 'General characteristics', 'Sunlight', 'Composition', 'Singly ionized iron-group elements', 'Isotopic composition', 'Structure and fusion', 'Core', 'Other places', 'Other uses', 'See also', 'Home media', 'VHS', 'Beta', 'LaserDisc', 'DVD', 'Blu-ray', 'Standalone episodes', '"The Measure of a Man" HD extended cut', 'Streaming and syndication', 'Spin-offs and the franchise', 'Economy', 'Tourism', 'Transportation', 'Communications', 'Demographics', 'Languages', 'Religion', 'Culture', 'Sport', 'Music', 'Asia', 'Europe', 'International organization membership', 'See also', 'Notes'], ['Stratified sampling strategies', 'Advantages', 'Disadvantages', 'Personal life', 'Accident in Hanoi', 'Awards, honours and legacy', 'See also', 'References'], ['Background', 'Establishment and transfer to USAF', 'Run-up to Korea and start of the Cold War', 'Korean War', 'The Cold War and massive retaliation', "Nuclear Bunkers, SAC Ground Alert, and transfer of SAC's Fighter-Escort Wings", 'Nuclear missiles, aircrew readiness, airborne alert, and strategic reconnaissance', 'Vietnam War and latter half of the Cold War', "SAC's air war in Vietnam", 'Technology', 'Arts and entertainment', 'See also', '1996–1997: Spice and breakthrough', "1997–1998: Groundbreaking success, Spiceworld and Halliwell's departure", '1998–2000: Forever and hiatus', '2007–2008: Return of the Spice Girls and Greatest Hits', '2010–2012: Viva Forever musical and London Olympics', '2016–present: Second reunion', 'Cultural impact and legacy', 'Pop music scene', 'Girl power', 'Cool Britannia', 'Redirect server', 'Registrar', 'Session border controller', 'Gateway', 'SIP messages', 'Requests', 'Responses', 'Transactions', 'Instant messaging and presence', 'Conformance testing', '18th and 19th centuries', '20th century', 'Economy', 'Fishing', 'Energy and fossil fuels', 'Farming and textiles', 'Media', 'Tourism', 'Quarries', 'Transport', 'Playoffs', 'Super Bowl notes', 'Broadcasting', 'Entertainment', 'Game summary', 'First quarter', 'Second quarter', 'Third quarter', 'Fourth quarter', 'Box score', 'Works of Art', 'Libraries, Schools and Buildings', 'Organizations', 'Writings', 'See also', 'References', 'Further reading'], ['References', 'Publication history', 'Characteristics', 'Background', 'Development', 'Signatories', 'See also', 'Historical context', '1971 expulsion from the UN', 'Elections', 'Development assistance', 'Think tanks', 'Policies', 'Economics', 'UN specialised agencies', 'International isolation', 'International disputes', 'Life', 'Early life and education', 'Marriage', 'Course', 'Region', 'See also', 'Other writings', 'Cultural life', 'Education', 'Demographics', 'Economy', 'Sports', 'Galleries', 'Twin towns\xa0– sister cities', 'Notable people', 'Astronomical objects', 'Meditation', 'Forms', 'Aims of meditation', 'Four stages of enlightenment', 'Historical development and sources', 'Other practices', 'Lay and monastic life', 'Distinction between lay and monastic life', 'Lay devotee', 'Monastic vocation', 'Biblical narrative', 'Etymology', 'Composition', 'Genre', 'Themes', 'Authorship and source criticism', 'Comparable myths', 'Sumerian and Assyrian parallel', 'Mexico', 'Arizona', 'Natural computation', 'Benchmarks', 'Popular culture', 'See also', 'Notes', 'References', 'Further reading'], ['Summary', 'Part I', 'Women discussed', 'Part II', 'Part III', "Boccaccio's influence", 'Themes', 'See also', 'Sources', 'Pending', 'Status contested', 'No longer pending', 'Judicial review', 'Scope and theory', 'Establishment', 'Self-restraint', 'Separation of powers', 'Subsequent Courts', 'Civic religion', 'References', 'History', 'Foundation', 'References', 'Further reading'], ['General overview', 'Technical documents', 'Operations', 'Education programme', 'Relief and social services programme', 'Health program', 'UNRWA Microfinance Department', 'Emergency operations', 'Infrastructure and camp/settlement improvement', 'Assessment and praise', 'Independent evaluations', 'Criticism and controversies', 'Airports - with paved runways', 'Airports - with unpaved runways', 'Heliports', 'Cable car', 'References'], ['History', 'Releases', 'Reception', 'See also', 'References', 'Further reading']]



['Wikipedia: Photograph', 'Wikipedia: Roman Empire', 'Wikipedia: Router (computing)', 'Wikipedia: Rhythm and blues', 'Wikipedia: Robert Jordan', 'Wikipedia: Afghan Civil War (1928–1929)', 'Wikipedia: Sideshow', 'Wikipedia: History of Saint Vincent and the Grenadines', 'Wikipedia: Science Fiction and Fantasy Writers of America', 'Wikipedia: STOVL', 'Wikipedia: The Graduate', 'Wikipedia: Tigre River', 'Wikipedia: Tarja Halonen', 'Wikipedia: Total Access Communication System', 'Wikipedia: Tolerance', 'Wikipedia: Video game console']
[['Specifications', 'Commercial software', 'Player models', 'Philips models', 'Other manufacturers', 'Hardware specifications', 'TeleCD-i and CD-MATICS', 'CD-Online', 'Etymology', 'History', 'Types of photographs', 'Preservation', 'Paper folders', 'Polyester enclosures', 'Etymology', 'Types', 'Belt quiver', 'Back quiver', 'Ground quiver', 'Bow quiver', 'Arrow bag', 'Japanese quivers', 'Gallery', 'Notes', 'References'], ['See also', 'References', 'Operation', 'Early life and career', 'Architectural theory', 'Delirious New York', 'S,M,L,XL', 'Project on the city', 'Volume Magazine', 'Buildings and projects', 'Novels', 'References'], ['References'], ['Evolution', 'Etymology and cultural significance', 'In modern culture', 'Notes', 'References'], ['Radiative zone', 'Tachocline', 'Convective zone', 'Photosphere', 'Atmosphere', 'Photons and neutrinos', 'Magnetic activity', 'Magnetic field', 'Variation in activity', 'Long-term change', 'Types', 'Acts', 'Decline and revival', 'Novels', '"These Are The Voyages..." (2005)', 'The return of Picard', 'Context', 'See also', 'References'], ['Media', 'See also', 'References', 'Further reading'], ['South African government', 'Constitution', 'President', 'Political parties and their current vote share', 'Human rights', 'Notable politicians', 'References', 'Mean and standard error', 'Sample size allocation', 'See also', 'References', 'Further reading', 'How search engines work', 'Types of search engines', 'See also', 'References', 'Post-Vietnam, 1970s budget cuts, 1980s renewal, and the Cold War redux', 'End of the Cold War and Operation Desert Storm', 'Commemoration and new commands', 'Lineage', 'See also', 'References', 'Further reading'], ['Related to the city', 'Arts and entertainment', 'Films', 'Music', 'Other', 'Other uses', 'See also', 'Fashion trends, image and nicknames', 'Commercialisation and celebrity culture', '1990s icons', 'Portrayal in the media', 'Other brand ventures', 'Film', 'Television', 'Viva Forever!', 'Merchandise and sponsorship deals', 'Career records and achievements', 'Performance testing', 'Applications', 'Implementations', 'SIP-ISUP interworking', 'Encryption', 'See also', 'Notes', 'References', 'Bibliography'], ['Public services', 'Education', 'Sport', 'Churches and religion', 'Politics', 'Shetland flag', 'Local culture and the arts', 'Language', 'Music', 'Writers', 'Final statistics', 'Statistical comparison', 'Individual statistics', 'Records Set', 'Super Bowl postgame news and notes', 'Starting lineups', 'Officials', 'References', 'History', 'References', 'Types of Sentinels', 'Related mutant-hunting creations', 'Other versions', 'Age of Apocalypse', 'Days of Future Past', 'Hembeck', 'Here Comes Tomorrow', 'House of M', 'MC2', 'Ronin', 'Notes', 'References'], ['Types of relations', 'Full diplomatic relations', 'Non-diplomatic representation', 'No representation', 'Relations with neither the ROC nor the PRC', 'Relations switched from the ROC to the PRC', 'Entities that have never had diplomatic relations with Taiwan and have relations with the PRC', 'History', 'Cross-Strait relations', 'Bilateral relations', 'Teaching, banking, and publishing', 'Conversion to Anglicanism and British citizenship', 'Separation and remarriage', 'Death and honours', 'Poetry', '"The Love Song of J. Alfred Prufrock"', '"The Waste Land"', '"The Hollow Men"', '"Ash-Wednesday"', "Old Possum's Book of Practical Cats", 'References', 'Sources', 'References', 'See also', 'References', 'Further reading'], ['Ordination', 'Monastic practices', 'Bhikkunis', 'Monastic orders within Theravāda', 'Festivals and customs', 'Demographics', 'See also', 'Notes', 'References', 'Sources', 'Cherokee', 'Nepal', 'Botswana', 'Other traditions', 'Historical context', 'Destruction', 'Etemenanki, the ziggurat at Babylon', 'In other sources', 'Book of Jubilees', 'Pseudo-Philo', 'Frequency bands used by ETACS in the UK', 'UK ETACS and US AMPS compared', 'References', 'References'], ['Economics, business, and politics', 'Worldwide influence', 'Criticisms', 'See also', 'Related documents', 'Notes', 'References', 'Works cited', 'Further reading'], ['U.S. government sources', "Nevile's expansion", 'Modern day', 'Legends', 'Trinity in Camberwell', 'Buildings and grounds', 'Great Gate', 'Great Court', "Nevile's Court", 'New Court', 'Other courts', 'Background', 'Democratic Party nomination', 'Candidates gallery', 'Republican Party nomination', 'Primaries and convention', 'Reform Party nomination', 'Minor parties and independents', 'Libertarian Party nomination', 'Mandate-related controversies', 'The mandate itself – including the definition of refugees', 'Creating dependency rather than resettling refugees', 'Execution-related controversies', 'Protection of Palestinian refugees', 'Textbook controversy', 'Relationship with Hamas', 'Schools', 'Camps and sports', 'UNRWA facilities being abused by Hamas militants', 'History', 'Independence era', 'Military rule', 'Fourth Republic government', 'Bolivarian government', 'Doctrine', 'Mission statement'], ['History', 'Types']]



['Wikipedia: Peppered moth', 'Wikipedia: Paradigm shift', 'Wikipedia: Quid', 'Wikipedia: Scorpio', 'Wikipedia: Star Trek: The Original Series', 'Wikipedia: Economy of South Africa', 'Wikipedia: Spaced repetition', 'Wikipedia: Scheme (programming language)', 'Wikipedia: Short story', 'Wikipedia: Squatting', 'Wikipedia: Super Bowl IX', 'Wikipedia: Russian aircraft carrier Admiral Kuznetsov', 'Wikipedia: Twelve-bar blues', 'Wikipedia: Outline of theatre', 'Wikipedia: Time-division multiple access', 'Wikipedia: Thorne Smith', 'Wikipedia: Article One of the United States Constitution']
[['Reception and market performance', 'Sales', 'Legacy', 'See also', 'References'], ['Handling and care', 'Myths and beliefs', 'Legality', 'See also', 'References'], ['See also', 'Notes', 'References', 'History', 'Transition from Republic to Empire', 'The Pax Romana', 'Fall in the West and survival in the East', 'Geography and demography', 'Languages', 'Local languages and linguistic legacy', 'Society', 'Legal status', 'Women in Roman law', 'Applications', 'Access, core and distribution', 'Security', 'Routing different networks', 'Internet connectivity and internal use', 'History', 'Forwarding', 'See also', 'Notes', 'References', 'European Flag proposal', 'Architecture, fashion, and theatre', '21st Century Projects', 'Personal life', 'Honours and awards', 'Selected projects', 'Bibliography', 'Primary source', 'Secondary source', 'Filmography', 'Etymology, definitions and description', 'History', 'Precursors', 'Late 1940s', 'Afro-Cuban rhythmic influence', 'Early to mid-1950s', 'Late 1950s', '1960s–1970s', '1980s to present', 'British rhythm and blues', 'Early life', 'Personal life', 'Illness and death', 'Selected works', 'The Wheel of Time', 'Conan the Barbarian', 'References', 'Further reading', 'Background', 'Foreign involvement', 'British Empire', 'Soviet Union', 'Iran', 'Germany', 'Course of the war', 'Life phases', 'Formation', 'Main sequence', 'After core hydrogen exhaustion', 'Motion and location', 'Orbit in Milky Way', 'Motion in the Solar System', 'Theoretical problems', 'Coronal heating problem', 'Faint young Sun problem', 'World records', 'See also', 'References', 'Sources'], ['Creation', 'Development', 'Production', 'Season 1 (1966–1967)', 'Season 2 (1967–1968)', 'Season 3 (1968–1969)', 'Pre-colonial history', 'Early European contacts', 'French and British colonisation and the Carib Wars', 'Self-rule and independence', 'See also', 'References', 'Further reading'], ['Further reading'], ['History', 'Mission', 'History', 'Activities', 'Advocacy and support', 'Writer Beware', 'Griefcom', 'Emergency Medical Fund', 'Legal Fund', 'History', 'Research and application', 'Algorithms', 'Implementations', 'Software', 'List of spaced repetition software programs', 'History', 'Origins', 'R6RS', 'R7RS', 'Distinguishing features', 'Today', 'Short story salons', 'Short story awards', 'In popular culture', 'Discography', 'Concerts', 'Publications', 'See also', 'References', 'Book references'], ['Overview', 'Typology', 'Legality', 'Films and television', 'Wildlife', 'Flora', 'Fauna', 'Domesticated animals', 'See also', 'Lists', 'About Shetland', 'Other', 'Notes', 'Background', 'Pittsburgh Steelers', 'Minnesota Vikings', 'Playoffs', 'Super Bowl pregame news and notes', 'Design', 'Transiting the Turkish Straits', 'History', '1990s', '2000–2010', '2011–2012 Mediterranean deployment', 'Star Trek', 'Ultimate Marvel', 'What If?', 'In other media', 'Television', 'Films', 'Video games', 'Toys', 'Parodies', 'References', 'Plot', 'Cast', 'Production', 'Casting', 'Filming', 'Music', 'Reception', 'Critical response', 'Awards and honors', 'Release', 'Arab world', 'Africa', 'Eswatini', 'The Gambia', 'Others', 'Americas', 'Dominican Republic', 'El Salvador', 'Guatemala', 'Haiti', 'Four Quartets', 'Plays', 'Literary criticism', 'Critical reception', 'Responses to his poetry', 'Anti-Semitism', 'Influence', 'Honours and awards', 'National or state honours', 'Literary awards', 'Standard progressions', 'Variations', 'Shuffle blues', 'Early life and career', 'Political career: 1970–2000', 'Trade unionist', 'First elections', 'Minister career', '2000 Presidential campaign', 'First term in office: 2000–2006', '2006 Presidential campaign', 'Second term in office: 2006–2012', 'Printed sources', 'Web sources'], ["Josephus' Antiquities of the Jews", 'Greek Apocalypse of Baruch', 'Midrash', 'Islamic tradition', 'Book of Mormon', 'Confusion of tongues', 'Linguistics', 'Multiplication of languages', 'Enumeration of scattered languages', 'Height', 'Characteristics', 'In mobile phone systems', '2G systems', '3G systems', 'TDMA in wired networks', 'Life sciences', 'Physical sciences', 'Other uses', 'See also', 'Non-governmental sources', 'Section 1: Legislative power vested in Congress', 'Section 2: House of Representatives', 'Chapel', 'Grounds', 'Trinity Bridge', 'Gallery', 'Academic profile', 'Admissions', 'Scholarships and prizes', 'Traditions', 'Great Court Run', 'Open-air concerts', 'Green Party nomination', 'Natural Law Party nomination', "U.S. Taxpayers' Party nomination", 'General election', 'Campaign', 'Presidential debates', 'Campaign donations controversy', 'Results', 'Results by state', 'Close states', 'Al-Fakhura violence', 'Social media and incitement', 'Investigations and calls for accountability and reform', '2004 investigation by the United States Congress', 'James G. Lindsay', 'Canadian redirection of funds from UNRWA to specific PA projects', 'UNRWA Reform Initiative', '2014 call for U.S. investigation', 'Relations with Israel', 'See also', 'Organization and structure', 'Ministry of Defense', 'High Command Authorities and National Armed Forces Council', 'Other decentralised directorates', 'Operational Strategic Command', 'Military regions', 'Service branches', 'Main branches', 'Army', 'Navy', 'Components', 'Console unit', 'Controllers', 'Game media', 'External storage', 'Console add-ons', 'Accessories', 'Game development for consoles', 'Console development kits', 'Licensing']]



['Wikipedia: Quinine', 'Wikipedia: Routing', 'Wikipedia: Renzo Piano', 'Wikipedia: René Laennec', 'Wikipedia: Ratatoskr', 'Wikipedia: Geography of Saint Vincent and the Grenadines', 'Wikipedia: SuperMemo', 'Wikipedia: Statistical mechanics', 'Wikipedia: Soay, Inner Hebrides', 'Wikipedia: Sebastian Shaw', 'Wikipedia: Thomas Vinterberg', 'Wikipedia: The Prisoner', 'Wikipedia: German submarine U-155 (1941)']
[['Description', 'Distribution', 'Ecology and life cycle', 'Resting behaviour', 'Polymorphism', 'Introduction on forms', 'Form names', 'History', 'Original usage', 'Features', 'Paradigm shifts and progress', 'Incommensurability', 'Gradualism vs. sudden change', 'Examples', 'See also', 'Uses', 'Medical', 'Slaves and the law', 'Freedmen', 'Census rank', 'Unequal justice', 'Government and military', 'Central government', 'Military', 'Provincial government', 'Roman law', 'Taxation'], ['Delivery schemes', 'Topology distribution', 'Gallery', 'See also', 'References'], ['See also', 'References', 'Further reading and listening'], ['Etymology', 'Attestations', 'War begins (November – December 1928)', 'Shinwari revolt', 'Siege of Jabal al-Siraj', 'First Battle of Kabul', "Fall of Amanullah's government (January 1929)", 'Siege of Murad Beg Fort', 'Second Battle of Kabul', 'Kalakani rules Kabul, Saqqawist offensives (February – August 1929)', 'Kalakani versus Ali Ahmad Khan', 'Kalakani versus anti-Saqqawist tribes', 'Observational history', 'Early understanding', 'Development of scientific understanding', 'Solar space missions', 'Observation and effects', 'Planetary system', 'Religious aspects', 'See also', 'Notes', 'References', 'Astronomy and astrology', 'People with the name', 'Arts, entertainment, and media', 'Fictional characters', 'Music', 'Other uses in arts, entertainment, and media', 'Vehicles', 'Other uses', 'Syndication', 'Remastered edition', 'Cast', 'Characterizations', "Characters' cameo appearances in later series", 'Notable guest appearances', 'Season and episodes', 'Seasons', 'Broadcast history', 'Episode analysis', 'Table of Islands', 'Resources and land use', 'Extreme points', 'Historical statistics 1980-2017', 'Sectors', 'Natural resources', 'Agriculture and food processing', 'Manufacturing', 'Service industry', 'Business process outsourcing', 'Tourism', 'Financial services', 'Informal sector', 'Estate Project', 'Awards', 'Publications', 'The SFWA Bulletin', 'The Forum Binary', 'The SFWA Blog', 'Membership', 'Board and administrative staff', 'References'], ['Flash cards', 'Problems and contradictions', 'References', 'Further reading', 'Fundamental design features', 'Minimalism', 'Lexical scope', 'Lambda calculus', 'Block structure', 'Proper tail recursion', 'First-class continuations', 'Shared namespace for procedures and variables', 'Implementation standards', 'Numerical tower', 'Adaptations', 'Length', 'History', 'Predecessors', '1790–1850', '1850–1900', '1900–1945', '1945 to modern day', 'Characteristics', 'See also', 'Principles: mechanics and ensembles', 'Statistical thermodynamics', 'Fundamental postulate', 'Three thermodynamic ensembles', 'Calculation methods', 'Perceptions', 'Adverse possession', 'Africa', 'South Africa', 'Asia', 'India', 'Philippines', 'Turkey', 'Europe', 'Germany', 'References', 'General references', 'Further reading'], ['Game conditions', 'Broadcasting', 'Entertainment', 'Game summary', 'First Quarter', 'Second Quarter', 'Third Quarter', 'Fourth Quarter', 'Box score', 'Final statistics', '2013–2014 deployment', 'Mid-life refit', '2016 Syrian campaign', 'Post-Syrian operations', 'Refit', 'PD-50 sinking', 'Fire', 'See also', 'References'], [], ['All article disambiguation pages', 'All disambiguation pages', 'Stage adaptation', 'Possible sequel', 'In popular culture', 'See also', 'References', 'Bibliography', 'Further reading'], ['Panama', 'Paraguay', 'United States', 'Venezuela', 'Asia', 'Bangladesh', 'India', 'Iran', 'Japan', 'North Korea', 'Drama awards', 'Music awards', 'Academic awards', 'Other honours', 'Works', 'Earliest works', 'Non-fiction', 'Posthumous publications', 'Critical editions', 'Notes', 'Quick to four', 'Seventh chords', 'With turnarounds', 'Bebop blues', 'Minor blues', 'See also', 'References', 'Sources', 'Political views', 'Personal life', 'Positions', 'Criticism', 'Honours and awards', 'Honours', 'National honours', 'Foreign honours', 'Awards', 'In popular culture', 'Nature of theatre', 'History of theatre', 'Western tradition', 'African', 'Asian', 'Middle Eastern', 'Types of theatrical productions', 'Genres of theatre', 'Styles of theatre', 'Types of stages', 'In popular culture', 'See also', 'References', 'Further reading'], ['Comparison with other multiple-access schemes', 'Dynamic TDMA', 'See also', 'References', 'Works', 'References', 'Further reading', 'Dissertations', 'Bibliographies and checklists'], ['Libraries', 'Online editions', 'Clause 1: Composition and election of Members', 'Clause 2: Qualifications of Members', 'Clause 3: Apportionment of Representatives and taxes', 'Clause 4: Vacancies', 'Clause 5: Speaker and other officers; Impeachment', 'Section 3: Senate', 'Clause 1: Composition; Election of Senators', 'Clause 2: Classification of Senators; Vacancies', 'Clause 3: Qualifications of Senators', 'Clause 4: Vice President as President of Senate', 'Mallard', 'Chair legs and bicycles', 'College rivalry', 'Minor traditions', 'College Grace', 'Trinity in literature', 'People associated with the college', 'Notable fellows and alumni', 'Nobel Prize winners', 'Fields Medallists', 'Voter demographics', 'Polling controversy', 'See also', 'Notes', 'References', 'Further reading', 'Books', 'Journals', 'Web references'], ['Notes', 'References', 'Bibliography'], ['Air Force', 'National Guard', 'Other branches', 'National Militia', 'Presidential Honor Guard', 'Military Intelligence', 'Budget', 'Military justice', 'Personnel', 'Requirements for military service', 'Emulation and backward compatibility', 'Market', 'Distribution', 'Pricing', 'Competition', 'See also', 'Further reading', 'References'], []]



['Wikipedia: Power Macintosh', 'Wikipedia: Reel (dance)', 'Wikipedia: Smiley', 'Wikipedia: Sagittarius (constellation)', 'Wikipedia: Demographics of Saint Vincent and the Grenadines', 'Wikipedia: Soul Coughing', 'Wikipedia: Soul', 'Wikipedia: Super Bowl X', 'Wikipedia: Subaru Forester', 'Wikipedia: Savage Land', 'Wikipedia: The Breakfast Club', 'Wikipedia: Tommy Lee', 'Wikipedia: Trimalchio', 'Wikipedia: Truso', 'Wikipedia: Third law', 'Wikipedia: The Sentinel (short story)', 'Wikipedia: Colleges of the University of Cambridge', 'Wikipedia: Whig Party (United States)', 'Wikipedia: Veneration of the dead']
[['Evolution', 'Genetic basis of melanism', 'Gallery'], ['Natural sciences', 'Social sciences', 'Applied sciences', 'Other uses', 'Criticism', 'See also', 'References', 'Citations', 'Sources'], ['Available forms', 'Beverages', 'Scientific', 'Contraindications', 'Adverse effects', 'Mechanism of action', 'Chemistry', 'Synthesis', 'Biosynthesis', 'History', 'Economy', 'Currency and banking', 'Mining and metallurgy', 'Transportation and communication', 'Trade and commodities', 'Labour and occupations', 'GDP and income distribution', 'Architecture and engineering', 'Daily life', 'City and country', 'Distance vector algorithms', 'Link-state algorithms', 'Optimized Link State Routing algorithm', 'Path-vector protocol', 'Path selection', 'Multiple agents', 'Route analytics', 'Centralized routing', 'See also', 'References', 'Early life and first buildings', 'The Pompidou Center and early projects 1973–77', 'Centre Pompidou (1973–77)', 'Menil Collection (1981–87)', 'Old Port of Genoa (1985–2001) and Lingotto Factory in Turin (1983–2003)', 'Paris "The Whale" Commercial Mall Bercy 2 (1990)', 'Projects completed 1991–2000', 'Kansai International Airport (1991–94)', 'Fondation Beyeler (1991–97)', 'Early life and personality', 'Invention of the stethoscope', 'Other medical contributions', 'Religious views', 'Legacy and tribute', 'Laennec in fiction', "Laennec's landmarks in Paris", 'References', 'Further reading', 'Theories', 'Notes', 'References'], ['Kalakani versus the returned Amanullah', 'Kalakani versus Nadir', 'The Tagab Front', 'The Ghurband Front', 'Saqqawist collapse, end of the Civil War (August – October 1929)', 'Aftermath', 'Human rights abuses', 'By the Saqqawists', 'By the anti-Saqqawists', 'Further reading', 'Further reading'], ['History', 'See also', 'Visualizations', 'Notable features', 'Top ranked episodes', 'Episodes', 'Leonard Nimoy: Star Trek Memories', 'Music', 'Theme tune', 'Dramatic underscore', 'Episodes with original music', 'Awards', 'Distribution', 'Home media', 'See also', 'Notes'], ['References', 'Trade and investment', 'Land reform and property rights', 'Nationalisation of mines debate', 'Land redistribution', 'Labour market', 'Knowledge', 'Illegal immigration', 'Trade unions', 'Black Economic Empowerment', 'Gender Equality', 'Recording career', 'Discography', 'Albums', 'Software implementation', 'Algorithms', 'Description of SM-2 algorithm', 'Criticism of SM3+', 'Non-SuperMemo implementations', 'References'], ['Delayed evaluation', 'Order of evaluation of procedure arguments', 'Hygienic macros', 'Environments and eval', 'Treatment of non-boolean values in boolean expressions', 'Disjointness of primitive datatypes', 'Equivalence predicates', 'Comments', 'Input/output', 'Redefinition of standard procedures', 'References', 'Bibliography', 'Still often cited'], ['Exact', 'Monte Carlo', 'Other', 'Non-equilibrium statistical mechanics', 'Stochastic methods', 'Near-equilibrium methods', 'Hybrid methods', 'Applications outside thermodynamics', 'History', 'See also', 'Iceland', 'Ireland', 'Italy', 'Netherlands', 'Spain', 'Okupa', 'Chabolismo', 'United Kingdom', 'England', 'Northern Ireland', 'Geography', 'History', 'Stamps', 'See also', 'Footnotes', 'References', 'Statistical comparison', 'Individual statistics', 'Records Set', 'Starting lineups', 'Officials', 'References', 'First generation (SF; 1997)', 'Australia', 'United States', 'Disambiguation pages with short descriptions', 'Human name disambiguation pages', 'Short description is different from Wikidata', 'Plot', 'Cast', 'Production', 'Casting', 'Filming', 'South Korea', 'Malaysia', 'Mongolia', 'Philippines', 'Russia', 'Singapore', 'Vietnam', 'Oceania', 'Australia', 'Fiji', 'Further reading'], ['Biography', 'Web sites', 'Archives', 'Miscellaneous', 'Overview', 'Cultural references to Trimalchio', 'Notes', 'Further reading'], ['See also', 'References', 'Notes'], ['Participants in theatre', 'General theatre concepts', 'See also', 'References'], ['Life and career', 'Honours', 'Filmography', 'References'], ['Plot', 'Episodes', 'Opening and closing sequences', 'The Village', 'Rover', 'Cast', 'Main cast', 'Recurring cast', 'Number Two actors', 'Publication history', 'Anthology', 'Story', 'Reception', 'Clause 5: President pro tempore and other officers', 'Clause 6: Trial of Impeachment', 'Clause 7: Judgment in cases of impeachment; Punishment on conviction', 'Section 4: Congressional elections', 'Clause 1: Time, place, and manner of holding', 'Clause 2: Sessions of Congress', 'Section 5: Procedure', 'Clause 1: Qualifications of Members', 'Clause 2: Rules', 'Clause 3: Record of proceedings', 'British Prime Ministers', 'Masters', 'See also', 'Notes'], ['Background', 'History', 'Creation, 1833–1836', 'Design', 'Service history', '1st patrol', '2nd patrol', '3rd patrol', '4th patrol', '5th patrol', '6th patrol', '7th and 8th patrols', 'Military education', 'Bolivarian Military University of Venezuela', 'Service academies', 'Specialty schools', 'Post-graduate colleges', 'National Experimental University of the Armed Forces', 'Modernization and capability building projects for the Armed Forces', 'Mission Miranda', 'Mission Negro Primero', 'Women in the Armed Forces', 'Overview', 'West and Southeast African cultures', 'Serer of Senegal and Gambia', 'Madagascar']]



['Wikipedia: Public speaking', 'Wikipedia: RIP (disambiguation)', 'Wikipedia: Robin Hood', 'Wikipedia: Remedy', 'Wikipedia: General recursive function', 'Wikipedia: Science fiction on television', 'Wikipedia: Samuel Pepys', 'Wikipedia: Solstice', 'Wikipedia: Storytelling game', 'Wikipedia: The Tube', 'Wikipedia: Tragedy of the commons', 'Wikipedia: Phenotypic trait', 'Wikipedia: Tomahawk (missile)', 'Wikipedia: The Fountains of Paradise']
[['History', 'Early forays into RISC architecture (1988-1990)', 'Development and partnership with IBM (1991-1993)', 'Release and reception (1994-1995)', 'Transition to standardized hardware (1995-1999)', 'Industrial design and the Megahertz Myth (1999-2002)', 'The Power Mac G5 and the end of Power (2003-2006)', 'Models', '1994-1997', 'Uses', 'History', 'Greece', 'Society and culture', 'Natural occurrence', 'Regulation in the US', 'Cutting agent', 'Other animals', 'References', 'Further reading'], ['Food and dining', 'Recreation and spectacles', 'Personal training and play', 'Clothing', 'Arts', 'Portraiture', 'Sculpture', 'Sarcophagi', 'Painting', 'Mosaic', 'Further reading'], ['Arts, entertainment, and media', 'Jean-Marie Tjibaou Cultural Centre, Noumea, New Caledonia (1991–98)', 'Potsdamer Platz, Berlin (1992–2000)', 'Aurora Place, Sydney, Australia (1996–2000)', 'Projects completed 2001–09', 'Auditorium Niccolo Paganini (1997–2001)', 'Maison Hermès (1998–2001)', 'Auditorium of the Parco della Musica (1994–2002)', 'Nasher Sculpture Center (1999–2003)', 'Zentrum Paul Klee (1999–2005)', 'High Museum of Art Extension (1999–2005)', 'Ballads and tales', 'Early ballads', 'Early plays, May Day games and fairs', 'Robin Hood on the early modern stage', 'History', 'Reel music', 'References'], ['See also', 'Notes', 'References', 'Early history of smiling faces', 'The yellow and black happy face', 'Evolution into the smiley', 'In text', 'In popular culture', 'In print', 'Music', 'Gaming', 'Film', 'Art', 'Stars', 'Deep-sky objects', 'Nebulae', 'Other deep sky objects', 'Exploration', 'Mythology', 'Greek mythology', 'Astrology', 'References', 'Notes', 'Online distribution', 'Merchandising', 'Action figures', 'Comic books', 'Cultural influence', 'Parodies', 'Fan productions', 'Reception', 'See also', 'References', 'Population', 'Vital statistics', 'Structure of the population  ===', 'Ethnic groups', 'Language', 'Religion', 'References', 'Infrastructure', 'Energy', 'Water', 'Developments and Maintenance', 'Income levels', 'Taxes and transfers', 'Taxation', 'Social benefits', 'Social assistance grants', 'Comparison with other emerging markets', 'Compilations', 'Live albums', 'Singles', 'References'], ['Early life', 'Illness', 'The diary', 'Public life', 'Major events', 'Nomenclature and naming conventions', 'Review of standard forms and procedures', 'Standard forms', 'Standard procedures', 'Scheme Requests for Implementation', 'Implementations', 'Usage', 'See also', 'References', 'Further reading', 'Etymology', 'Synonyms', 'Religious views', 'Ancient Near East', "Bahá'í", 'Buddhism', 'Christianity', 'Origin of the soul', 'Trichotomy of the soul', 'Notes', 'References'], ['Scotland', 'Wales', 'North America', 'Canada', 'United States', 'South America', 'Brazil', 'Oceania', 'Australia', 'See also', 'Role-playing games', 'Alternate form role-playing games', 'Collaborative fiction', 'See also', 'References', 'Background', 'Dallas Cowboys', 'Pittsburgh Steelers', 'Playoffs', 'Super Bowl pregame news and notes', 'Broadcasting', 'Entertainment', 'Second generation (SG; 2002)', 'Safety', 'Maintenance', 'India', 'China', 'Third generation (SH; 2008)', 'Europe', 'Forester XTI concept', 'Mountain Rescue Vehicle', 'Facelift', 'Publication history', 'Fictional history', 'Conservational status', 'Points of interest', 'Savage Land races', 'Other versions', 'Age of Apocalypse', 'Age of Ultron', 'Marvel Zombies Return', 'Earth X', 'Poster', 'Themes', 'Release', 'Home media', 'Reception', 'Critical response', 'Box office', 'Accolades', 'Legacy', 'Soundtrack', 'Kiribati', 'Marshall Islands', 'Nauru', 'New Zealand', 'Palau', 'Papua New Guinea', 'Solomon Islands', 'Tuvalu', 'Vanuatu', 'Europe and the European Union', 'Early life', 'Music career', 'Mötley Crüe', 'Solo career', 'Television career', 'Personal life', 'Relationships', 'See also', 'History', 'Archeology', 'References', 'In physical sciences', 'In biology', 'Albums', 'See also', 'Variants', 'Upgrades', 'Launch systems', 'Munitions', 'Navigation', 'Operational history', 'Guest cast', 'Production', 'Development', 'Filming', 'Crew', 'Alternative ending', 'Merchandise', 'Books', 'Comics', 'Home media', 'Film', 'References'], ['Clause 4: Adjournment', 'Section 6: Compensation, privileges, and restrictions on holding civil office', 'Clause 1: Compensation and legal protection', 'Clause 2: Independence from the executive', 'Section 7: Bills', 'Clause 1: Bills of revenue', 'Clause 2: From bill to law', 'Clause 3: Resolutions', 'Section 8: Powers of Congress', 'Enumerated powers', '"Old" and "new" colleges', 'Restrictions on entry', 'Architectural influence', 'List of colleges', 'Heads of colleges', 'Former colleges', 'See also', 'References', 'Rise, 1836–1841', 'Harrison and Tyler, 1841–1845', 'Polk and the Mexican–American War, 1845–1849', 'Taylor and Fillmore, 1849–1853', 'Collapse, 1853–1856', 'Ideology and policies', 'Whig thought', 'Whig policies', 'Base of support', 'Party leaders', '9th and 10th patrols', 'Fate', 'Post war', 'Summary of raiding history', 'See also', 'References', 'Notes', 'Citations', 'Bibliography'], ['Ranks, uniforms and insignia', 'Military ranks', 'Three-sun ranking', 'Four-sun ranking', 'Commander-in-Chief rank and insignia', 'Rank insignia', 'Officers', 'Professional and enlisted other ranks', 'Berets', 'Modernization program', 'Asian cultures', 'Cambodia', 'China', 'India', 'Tuluva Culture', 'Assam', 'Paliya', 'Pitru Paksha', 'Sacrifices', 'Indonesia']]



['Wikipedia: Quincy', 'Wikipedia: Signature', 'Wikipedia: Scorpius', 'Wikipedia: Star Trek: Deep Space Nine', 'Wikipedia: Politics of Saint Vincent and the Grenadines', 'Wikipedia: Telecommunications in South Africa', 'Wikipedia: Society for Psychical Research', 'Wikipedia: South Holland', 'Wikipedia: Scorpion', 'Wikipedia: Tetrahedron', "Wikipedia: Christ's College, Cambridge", 'Wikipedia: German submarine U-556']
[['PM 4400', 'PM 5200', 'Centris 610', 'Quadra 630', 'Performa 6400', 'IIvx', 'PM 7500', 'Quadra 800', 'PM 9600', '1997-2006', 'Rome', 'Historical speeches', 'Women and public speaking', 'Techniques and trainings', 'Glossophobia', 'Modern', 'Technology', 'Telecommunication', 'Notable modern theorists', 'See also', 'People', 'Places and jurisdictions', 'France', 'United States', 'Structures', 'Decorative arts', 'Performing arts', 'Literacy, books, and education', 'Primary education', 'Secondary education', 'Educated women', 'Shape of literacy', 'Literature', 'Religion', 'Political legacy', 'Music', 'Albums', 'Songs', 'Other uses in arts, entertainment, and media', 'Biology', 'Computing', 'Other uses', 'See also', 'Morgan Library Renovation and Extension (2000–06)', 'New York Times Building (2000–07)', 'California Academy of Sciences renovation and extension, San Francisco (2000–08)', 'Modern wing of the Art Institute of Chicago (2000–09)', 'Projects completed 2010 to present', 'The Shard, London (2000–10)', 'Central Saint Giles, London (2002–10)', 'Los Angeles County Museum of Art (BCAM and Resnick Pavilion), Los Angeles (2003–10)', 'Astrup Fearnley Museum of Modern Art, Oslo, Norway (2006–12)', 'Kimbell Art Museum extension, Fort Worth, Texas (2007–13)', 'Broadside ballads and garlands', 'Rediscovery of the Medieval Robin Hood: Percy and Ritson', 'The Merry Adventures of Robin Hood', '20th century onwards', 'Films, animations, new concepts and other adaptations', "Walt Disney's Robin Hood", 'Robin and Marian', 'A Muslim among the Merry Men', 'Robin Hood in France', 'Historicity', 'People', 'Organizations', 'Science, technology, and computers', 'Medicine', 'Law, politics, and society', 'Film and television', 'Music', 'Albums', 'Definition', 'Equivalence with other models of computability', 'Normal form theorem', 'Symbolism', 'Examples', 'See also', 'References'], ['Other uses', 'See also', 'References'], ['Notable features', 'Stars'], ['Premise', 'Cast', 'Political conditions', 'Executive branch', 'Legislative branch', 'Political parties and elections', 'Judicial branch', 'See also', 'References'], ['Science fiction television production process and methods', 'Special effects', 'Computer-generated imagery', 'Models and puppets', 'Animation', 'Animation in live-action', 'Science fiction television economics and distribution', 'Media fandom', 'Second Anglo-Dutch War', 'Great Plague', 'Great Fire of London', 'Personal life', 'Sexual relations', 'Text of the diary', 'Simplified Pepys family tree', 'After the diary', 'Member of Parliament and Secretary of the Admiralty', 'Royal Society'], ['Origins', 'Research', 'Views of various denominations', 'Confucianism', 'Hinduism', 'Islam', 'Jainism', 'Judaism', 'Scientology', 'Shamanism', 'Sikhism', 'Taoism', 'Definitions and frames of reference', 'Relationship to seasons', 'Cultural aspects', 'Ancient Greek names and concepts', 'English names', 'Solstice terms in East Asia', 'Solstice celebrations', 'Solstice determination', 'In the constellations', 'On other planets', 'References', 'Further reading'], ['Etymology', 'Geographical distribution', 'Evolution', 'Fossil record', 'Game summary', 'First quarter', 'Second quarter', 'Third quarter', 'Fourth quarter', 'Aftermath', 'Box score', 'Final statistics', 'Statistical comparison', 'Individual statistics', 'Gallery', 'Fourth generation (SJ; 2014)', 'X Mode', 'EyeSight Driver Assist System===', 'Engines', 'Fifth generation (SK; 2019)', 'Mechanical features', 'e-BOXER', 'Awards', 'Sales', 'House of M', 'Marvel 2099', 'The Transformers', 'Spider-Geddon', 'Ultimate Marvel', 'What If?', 'In other media', 'Television', 'Film', 'Video games', 'Track listing', 'Overview', 'Critical reception', 'See also', 'References', 'Further reading'], ['International organizations', 'International treaties', 'Territorial disputes', 'Specialized diplomacy', 'Culinary diplomacy', 'Medical Diplomacy', 'Epidemic prevention diplomacy', 'Transport and communications', 'Air links', 'Telecommunications', 'Sex tape', 'Legal troubles and spousal abuse', 'Activism', 'Equipment', 'Discography', 'Studio albums', 'with Mötley Crüe', 'with Methods of Mayhem', 'with Rock Star Supernova', 'Guest appearances', 'Regular tetrahedron', 'Angles and distances', 'Isometries of the regular tetrahedron', 'Orthogonal projections of the regular tetrahedron', 'Cross section of regular tetrahedron', 'Expositions', "Lloyd's pamphlet", "Garrett Hardin's article", 'The "Commons" as a modern resource concept', 'Application', 'Metaphoric meaning', 'Modern commons', 'Examples', 'Application to evolutionary biology', 'Definition', 'Genetic origin of traits in diploid organisms', 'Mendelian expression of genes in diploid organisms', 'Biochemistry of dominance and extensions to expression of traits', 'Schizotypy', 'See also', 'Citations', 'United States Navy', 'Royal Navy', 'United States Air Force', 'Other users', 'Operators', 'Current operators', 'See also', 'References'], ['Video tapes', 'DVD', '40th anniversary DVDs', 'Remastered Blu-ray Disc Box-set', '50th anniversary', 'In other media', 'Television', 'Documentaries', 'The Prisoner (2009)', 'The Simpsons (2000)', 'Plot', 'Summary', 'Themes', 'Setting', 'Similarities with other works of Clarke', 'Awards and nominations', 'See also', 'References'], ['Clause 1: the General Welfare Clause', 'Clause 2: Borrowing Power', 'Clause 3: Commerce Clause', 'Other powers of Congress', 'Clause 18: Implied Powers of Congress (Necessary and Proper)', 'Section 9: Limits on Federal Power', 'Clause 1: Slave trade', 'Clauses 2 and 3: Civil and legal protections', 'Clauses 4–7: Apportionment of direct taxes', 'Clause 8: Titles of nobility', 'History', 'Buildings', 'Swimming pool', 'Factions', 'Legacy', 'Historical reputation', 'Namesakes', 'In popular culture', 'Electoral history', 'Presidential tickets', 'Congressional representation', 'See also', 'Notes', 'Design', 'Service history', '1st patrol', 'Surveillance radars, AK-103s and helicopters: Mi-17, Mi-26 and Mi-35', 'Su-30s and missiles', 'Night vision equipment, sniper rifles and submarines', 'Russian loans and the Chinese K-8W light jet', 'Contract with China for modernization of the Venezuelan Marine Corps', 'The Russian Federation gives new credit and interest in the Su-35', 'Controversy with the United States', 'U.S. military embargo', 'The Russian Federation has broken the U.S. embargo', 'Caracas acknowledges problems with Iran by U.S. embargo', 'Korea', 'Myanmar', 'Philippines', 'Sri Lanka', 'Thailand', 'Vietnam', 'European cultures', 'Brythonic Celtic cultures', 'Gaelic Celtic cultures', 'North America']]



['Wikipedia: Promoter (genetics)', 'Wikipedia: Pecorino Romano', 'Wikipedia: Quintuplet (disambiguation)', 'Wikipedia: Riga', 'Wikipedia: Resistor', 'Wikipedia: Reichsmarine', 'Wikipedia: Rex Ingram (director)', 'Wikipedia: Economy of Saint Vincent and the Grenadines', 'Wikipedia: Sputnik 1', 'Wikipedia: Super Bowl XI', 'Wikipedia: Second-system effect', 'Wikipedia: Stephen Schneider', 'Wikipedia: Tasmania', 'Wikipedia: Anton Schumacher', 'Wikipedia: Night of the Living Dead', 'Wikipedia: Trabant', 'Wikipedia: Trigun', 'Wikipedia: Tagalog language', 'Wikipedia: Democratic-Republican Party']
[['Naming', 'Advertising and marketing', 'See also', 'References'], ['References'], ['Overview', 'Singapore', 'Ships', 'In pop culture', 'Other uses', 'See also', 'See also', 'Notes', 'References', 'Citations', 'Cited sources'], ['Electronic symbols and notation', 'Theory of operation', "Ohm's law", 'Series and parallel resistors', 'Power dissipation', 'Whitney Museum of American Art, New York City (2007–15)', 'The Harvard Art Museums, Cambridge, Massachusetts (2008–14)', 'Valletta City Gate and Parliament House (2011–15)', 'Centro de Arte Botín, Santander, Spain (2012–17)', 'Stavros Niarchos Foundation Cultural Center, Athens, Greece (2016)', 'Projects under construction or in development', 'Honors and awards', 'Awards', 'Professional and personal life', 'List of works', 'Early references', 'Robert Hod of York', 'Robert and John Deyville', 'Roger Godberd as Robin Hood', 'Robin Hood of Wakefield', 'Robin Hood as an alias', 'Mythology', 'Associated locations', 'Sherwood Forest', 'Nottinghamshire', 'Songs', 'See also', 'Vorläufige Reichsmarine', 'Early life', 'Career', 'Death', 'Legacy', 'Filmography', 'Function and types', 'Mechanically produced signatures', 'Wet signatures', 'Detection of forged signatures', 'Online usage', 'Art', 'Copyright', 'Uniform Commercial Code', 'See also', 'References', 'Deep-sky objects', 'Mythology', 'Origins', 'Astrology', 'Culture', 'References'], ['Main cast', 'Supporting cast', 'Recurring characters', 'Season overview', 'Plot elements', 'Bajor', 'The Maquis', 'The Dominion War', 'Section 31', 'The Ferengi', 'Administrative divisions', 'International organization participation', 'Macroeconomic statistics', 'History', 'Television', 'Internet', 'Telecommunication landmarks', 'See also', 'References'], ['Science fiction television history and culture', 'U.S. television science fiction', 'British television science fiction', 'Canadian science fiction television', 'Australian science fiction television', 'Japanese television science fiction', 'Continental European science fiction series', 'Northern European series', 'Italian series', 'French series', 'Retirement and death', 'Pepys Library', 'Publication history of the diary', 'Adaptations', 'Biographical studies', 'See also', 'Notes', 'References', 'Further reading'], ['Psychical research', 'Exposures of fraud', 'Criticism of the SPR', 'Criticism from spiritualists', 'Criticism from skeptics', 'Presidents', 'Publications', 'Proceedings of the Society for Psychical Research', 'Journal of the Society for Psychical Research', 'Paranormal Review', 'Zoroastrianism', 'Other religious beliefs and views', 'Spirituality, New Age, and new religions', 'Dada Bhagwan', 'Brahma Kumaris', 'Theosophy', 'Anthroposophy', 'Miscellaneous', 'Philosophical views', 'Socrates and Plato', 'See also', 'References'], ['History', 'Early history', 'As a province', 'Geography', 'Climate', 'Municipalities', 'Economy', 'Notable residents', 'See also', 'References', 'Phylogeny', 'Taxonomy', 'Morphology', 'Cephalothorax', 'Mesosoma', 'Metasoma', 'Biology', 'Diet and feeding', 'Mating', 'Birth and development', 'Records Set', 'Starting lineups', 'Officials', 'Notes', 'References', 'References'], ['See also', 'See also', 'References'], ['Toponymy', 'History', 'Physical history', 'Aboriginal people', 'European arrival and governance', 'Black War', 'See also', 'Notes', 'References', 'Further reading'], ['Singles', 'References'], ['Spherical tiling', 'Helical stacking', 'Other special cases', 'Isometries of irregular tetrahedra', 'General properties', 'Volume', 'Heron-type formula for the volume of a tetrahedron', 'Volume divider', 'Non-Euclidean volume', 'Distance between the edges', 'Commons dilemma', 'Psychological factors', 'Strategic factors', 'Structural factors', 'Solutions', 'Non-governmental solution', 'Governmental solutions', 'Privatization', 'Regulation', 'Internalizing externalities', 'References', 'Overview', 'History', 'Plot', 'Media', 'Manga', 'Anime', 'Film adaptation', 'Reception', 'Awards and honours', 'See also', 'References', 'Further reading'], ['History', 'Historical changes', 'Official status', 'Controversy', 'Section 10: Limits on the States', 'Clause 1: Contract Clause', 'Clause 2: Import-Export Clause', 'Clause 3: Compact Clause', 'Notes', 'References', 'Further reading'], ['Gallery', 'Plan of College', 'Academic profile', 'Student life', 'May Ball', 'Grace', 'Notable people', "Proctors of God's House", "Masters of Christ's", 'Notable alumni', 'References', 'Works cited', 'Further reading'], ['The sinking of Bismarck', '2nd patrol', 'Wolfpacks', 'Summary of raiding history', 'References', 'Bibliography'], ['Spanish Defense Minister, defends arms sales to Venezuela', 'Pre-military education controversy', 'Role of the military in Venezuelan politics', "Venezuelan military coup d'états", 'Criticism', 'Role in Venezuelan society', 'Humanitarian relief', 'Military industry', 'IBIDIFANB', 'CAVIM', 'Islam', 'Ancient cultures', 'Ancient Egypt', 'Ancient Rome', 'See also', 'References'], []]



['Wikipedia: Parity', 'Wikipedia: Refraction', 'Wikipedia: Rat', 'Wikipedia: Seal', 'Wikipedia: Scheme', 'Wikipedia: Telecommunications in Saint Vincent and the Grenadines', 'Wikipedia: Transport in South Africa', 'Wikipedia: Skeleton', 'Wikipedia: Chemical synapse', 'Wikipedia: Sniper', 'Wikipedia: Screaming Lord Sutch', 'Wikipedia: Sandinista National Liberation Front', 'Wikipedia: Thump Records', 'Wikipedia: Tenchi Muyo!', 'Wikipedia: Theseus', 'Wikipedia: Article Two of the United States Constitution', 'Wikipedia: Peterhouse, Cambridge', 'Wikipedia: German submarine U-81', 'Wikipedia: Saint Veronica']
[['Overview', 'Identification of relative location', 'Relative location in the cell nucleus', 'Elements', 'Eukaryotic', 'Bacterial', 'Probability of occurrence of each nucleotide', 'Bidirectional (mammalian)', 'See also', 'References'], ['All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'Etymology', 'History', 'Founding', 'Under Bishop Albert', 'Hanseatic League', 'Holy Roman Empire, Polish–Lithuanian Commonwealth, the Swedish and Russian Empires', 'World War I', 'Nonideal properties', 'Fixed resistor', 'Lead arrangements', 'Carbon composition', 'Carbon pile', 'Carbon film', 'Printed carbon resistor', 'Thick and thin film', 'Metal film', 'Metal oxide film', 'References', 'Bibliography'], ['Yorkshire', 'Barnsdale', 'The Saylis', 'Church of Saint Mary Magdalene at Campsall', 'Abbey of Saint Mary at York', 'Grave at Kirklees', "All Saints' Church at Pontefract", 'Place-name locations', 'Some other place names and other references', 'List of traditional ballads', 'Reichsmarine', 'Naval headquarters', 'Fleet command', 'Naval sea stations', 'Ships and equipment', 'See also', 'References', 'References'], ['Species and description'], ['Common uses', 'Arts, entertainment, and media', 'Arts and entertainment', 'Other uses', 'See also', 'The Mirror Universe', 'Production', 'Episodes', 'Reception', 'Critical reception', 'Former cast members and staff', 'Babylon 5 controversy', 'Place in the Star Trek universe', 'Music', 'Home media', 'See also', 'References', 'Telephone', 'Roads', 'Road Transport', 'Minibus Taxis', 'Cape Town and MyCiTi IRT', 'Railways', 'Transportation systems in nearby countries', 'Spanish series', 'Eastern European series', 'Significant creative influences', 'See also', 'References'], ['Structure', 'Signaling in chemical synapses', 'Overview', 'Psi Encyclopedia', 'Other societies', 'See also', 'References', 'Further reading'], ['Aristotle', 'Avicenna and Ibn al-Nafis', 'Thomas Aquinas', 'Immanuel Kant', 'Philosophy of mind', 'James Hillman', 'Science', 'Neuroscience', 'Physics', 'Parapsychology', 'Before the launch', 'Satellite construction project', 'Launch vehicle preparation and launch site selection', 'Observation complex', 'Design', 'Launch and mission', 'Reaction', 'Propaganda', 'Legacy', 'Backup units and replicas'], ['Musical career', 'Political activities', 'Fluorescence', 'Relationship with humans', 'Stings', 'Venom toxins', 'Consumption', 'Mythology, religion, and folklore', 'Namesakes', 'See also', 'Notes', 'References', 'Background', 'Oakland Raiders', 'Minnesota Vikings', 'Playoffs', 'Broadcasting', 'Entertainment', 'Pregame festivities', 'Halftime show', 'References'], ['History', 'Early work', 'Media contributions', 'Honors', 'Personal', 'Selected publications', 'See also', 'References', 'Further reading'], ['Removal of Aboriginal people', 'Proclamation as a colony (1825) and change of name (1856)', 'Federation', '20th and 21st Century', 'Geography', 'Insularity', 'Climate', 'Soils', 'Ecology', 'Flora', 'Career', 'Personal', 'References'], ['Plot', 'Cast', 'Production', 'Development and pre-production', 'Writing', 'Filming', 'Principal photography', 'Directing', 'Post-production', 'Soundtrack', 'Properties analogous to those of a triangle', 'Geometric relations', 'A law of sines for tetrahedra and the space of all shapes of tetrahedra', 'Law of cosines for tetrahedra', 'Interior point', 'Inradius', 'Circumradius', 'Circumcenter', 'Centroid', 'Faces', 'The Mid-Way Solution', 'Criticism', 'Comedy of the commons', 'See also', 'References', 'Notes', 'Bibliography'], ['Origins', 'Full production', '1989–1991', '1990s and later', 'Planned reintroduction', 'Models', 'Prototype and concepts', 'Gallery prototypes', 'Gallery', 'See also', 'Film', 'Reception', 'References'], ['Birth and early years', 'The Six Labours', 'Medea, the Marathonian Bull, Androgeus, and the Pallantides', 'Theseus and the Minotaur', 'Ship of Theseus', 'Theseus and Pirithous', 'Use in education', 'Geographic distribution', 'Classification', 'Dialects', 'Accents', 'Code-switching with English', 'Phonology', 'Vowels', 'Consonants', 'Stress and final glottal stop', 'Section 1: President and vice president', 'Clause 1: Executive Power', 'Clause 2: Method of choosing electors', 'Clause 3: Electors', 'Clause 4: Election day', 'References', 'Footnotes', 'Bibliography'], ['History', 'Founding, 1789–1796', 'Adams and the Revolution of 1800', "Jefferson's presidency, 1801–1809", "Madison's presidency, 1809–1817", 'Era of Good Feelings, 1817–1825', 'Final years, 1825–1829', 'Party name', 'Ideology', 'All set index articles', 'Articles with short description', 'Set indices on ships', 'Short description is different from Wikidata', 'Submarines of Germany', 'DIANCA', 'UCOCAR', 'CIDAE', 'ASTIMARCA', 'CENARECA', 'MAZVEN', 'G&F Tecnología', 'Military corporations of the Ministry of Defense', 'Citations', 'References', 'Background', 'Official Patronage', 'In popular culture', 'See also', 'References'], []]



['Wikipedia: Philip II of France', 'Wikipedia: Quimby', 'Wikipedia: Quail', 'Wikipedia: Rift Valley fever', 'Wikipedia: SF', 'Wikipedia: Transport in Saint Vincent and the Grenadines', 'Wikipedia: Steradian', 'Wikipedia: Steve Jackson Games', 'Wikipedia: Protein secondary structure', 'Wikipedia: Shriners', 'Wikipedia: Scientific misconduct', 'Wikipedia: Miller test', 'Wikipedia: Problem of evil', 'Wikipedia: Tape bias', 'Wikipedia: There Is No Cabal', 'Wikipedia: Mother Shipton', 'Wikipedia: Foreign relations of Venezuela', 'Wikipedia: Verðandi']
[['Subgenomic', 'Detection', 'Evolutionary change', 'De novo origin of promoters', 'Diabetes', 'Binding', 'Location', 'Diseases associated with aberrant function', 'CpG islands in promoters', 'Methylation of CpG islands stably silences genes', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'See also', 'World War II', '21st century', 'Geography', 'Administrative divisions', 'Climate', 'Government', 'Demographics', 'Historic population figures', 'Economy', 'Culture', 'Wire wound', 'Foil resistor', 'Ammeter shunts', 'Grid resistor', 'Special varieties', 'Variable resistors', 'Adjustable resistors', 'Potentiometers', 'Resistance decade boxes', 'Special devices', 'Light', 'General explanation', 'Explanation for slowing of light in a medium', 'Explanation for bending of light as it enters and exits a medium', 'Law of refraction', 'Refraction in a water surface', 'Dispersion', 'Atmospheric refraction', 'Clinical significance', 'Gallery', 'Early ballads (i.e., surviving in 15th- or early-16th-century copies)', 'Ballads appearing in 17th-century Percy Folio', 'Other ballads', 'In popular culture', 'Main characters of the folklore', 'See also', 'References', 'Bibliography'], ['Signs and symptoms', 'Cause', 'Virology', 'Transmission', 'Pathogenesis', 'Diagnosis', 'Rat tails', 'As pets', 'As subjects for scientific research', 'General intelligence', 'As food', 'Working rats', 'For odor detection', 'In the spread of disease', 'As pests', 'As invasive species', 'Law', 'Military', 'Special forces', 'People', 'Places', 'Other uses', 'See also', 'Locations', 'In arts and entertainment', 'Genres', 'In film and television', 'In music', 'Other media', 'Documentary What We Left Behind', 'Books', 'Comics', 'Games', 'Other merchandising', 'References'], ['Radio', 'Television', 'Internet', 'Airports', 'Runways in South Africa', 'International Airports and Airlines', 'Water', 'Pipelines', 'Tramways', 'References'], ['Types of skeletons', 'Exoskeleton', 'Endoskeleton', 'Pliant skeletons', 'Rigid skeletons', 'Cytoskeleton', 'Fluid skeletons', 'Neurotransmitter release', 'Receptor binding', 'Termination', 'Receptor desensitization', 'Synaptic plasticity', 'Homosynaptic plasticity', 'Heterosynaptic plasticity', 'Volume transmission', 'Relationship to electrical synapses', 'Effects of drugs', 'Etymology', 'Modern warfare', 'Military doctrine', 'Sniper teams', 'Law enforcement applications', 'Longest recorded sniper kill', 'Military history', 'Weight of the soul', 'See also', 'References', 'Further reading'], ['Satellite navigation', 'See also', 'References', 'Bibliography', 'Further reading'], ['Personal life', 'Discography', 'Elections fought', 'References'], ['Sources'], ['History', 'Game summary', 'First Quarter', 'Second Quarter', 'Third Quarter', 'Fourth Quarter', 'Box score', 'Final statistics', 'Statistical comparison', 'Individual leaders', 'Records Set', 'Origin of the term Sandinista', 'Founding (1961–1970)', 'Rise (1970–1976)', 'Split (1977–1978)', 'Insurrection (1978)', 'Reunification (1979)', 'Nicaraguan Revolution', 'Sandinista rule (1979–1990)', 'State of Emergency (1982–1988)', 'Sandinistas vs. Contras', 'Motivation to commit scientific misconduct', 'Forms of scientific misconduct', 'Responsibility of authors and of coauthors', 'Education', 'Career', 'Writings by Rampton', 'References'], ['Fauna', 'Demography', 'Ancestry and immigration', 'Language', 'Religion', 'Government', 'Elections', 'Politics', 'Local government', 'Economy', 'Artists on Thump Records', 'See also'], ['Release', 'Premiere controversy', 'Critical reception', 'Copyright status and home media', 'Legal status in Germany', 'Revisions', 'Related works', "Romero's Dead films", 'Return of the Living Dead series', 'Rise of the Living Dead', 'Integer tetrahedra', 'Related polyhedra and compounds', 'Applications', 'Numerical analysis', 'Chemistry', 'Electricity and electronics', 'Games', 'Color space', 'Contemporary art', 'Popular culture', 'History', 'DC bias', 'AC bias', 'Theory', 'Practice', 'Notes', 'References', 'Further reading'], ['Concept', 'Media', 'OVA', 'Manga', 'TV series', 'Films', 'Novels', 'Video games', 'Radio', 'Abduction of Persephone and encounter with Hades', 'Phaedra and Hippolytus', 'Other stories and death of Theseus', 'Adaptations of the myth', 'Literature', 'Opera, film, television and video game', 'References', 'Notes', 'Citations', 'Further reading', 'Grammar', 'Writing system', 'Baybayin', 'Latin alphabet', 'Abecedario', 'Abakada', 'Revised alphabet', 'ng and mga', 'pô/hô and opò/ohò', 'Vocabulary and borrowed words', 'Clause 5: Qualifications for office', 'Clause 6: Vacancy and disability', 'Clause 7: Salary', 'Clause 8: Oath or affirmation', 'Section 2: Presidential powers', 'Clause 1: Command of military; Opinions of cabinet secretaries; Pardons', 'Clause 2: Advice and Consent Clause', 'Treaties', 'Appointments', 'Clause 3: Recess appointments', 'History', 'Foundation', '16th century onwards', 'Modern day', 'Buildings and grounds', 'First Court', "Burrough's Building", 'Old Court', 'Chapel', 'Slavery', 'Base of support', 'Factions', 'Organizational strategy', 'Legacy', 'Electoral history', 'Presidential elections', 'Congressional representation', 'See also', 'Explanatory notes', 'Prophecies', 'Legacy', 'See also', 'References'], ['Bilateral relations', 'Africa', 'Etymology', 'Attestation', 'Völuspá']]



[]
[['See also']]



[]
[['References']]



['Wikipedia: Sideband', 'Wikipedia: Mount Everest', "Wikipedia: Sandra Day O'Connor", 'Wikipedia: Parsis', 'Wikipedia: Triton (moon)', 'Wikipedia: Gibellina', 'Wikipedia: Erice', 'Wikipedia: Petra', 'Wikipedia: Pope Gelasius II', 'Wikipedia: Cathedral', 'Wikipedia: Virginia opossum', 'Wikipedia: Elfstedentocht', 'Wikipedia: Climate variability and change', 'Wikipedia: Juan Manuel Fangio', 'Wikipedia: Battle of Chancellorsville', 'Wikipedia: Methylchloroisothiazolinone', 'Wikipedia: Bay of Biscay', "Wikipedia: Dirk Gently's Holistic Detective Agency", 'Wikipedia: James V of Scotland']
[['Sideband creation', 'Sideband Characterization', 'Amplitude modulation', 'Frequency modulation', 'Effects', 'See also', 'Music', 'Musicians', 'Other music and musicians', 'Art', 'American artists exhibiting', 'Painters', 'Sculptors', 'Japanese art', 'Women artists exhibiting', 'Notable firsts', 'References', 'Further reading', 'Historiography'], ['Potential for tactical voting', 'Usage', 'Puerto Rico', 'Japan, South Korea and Taiwan', 'Hong Kong', 'Libya', 'Chile', 'Jordan', 'See also', 'References', 'References'], ['Early life and education', 'Plot', 'Release', 'Home media', 'Reception', 'Awards', 'See also', 'References'], ['Legacy', 'Historical analysis', 'See also', 'Notes', 'References', 'Bibliography'], ['Use of case studies', 'History of business cases', 'Other approaches', 'Executive education', 'Accreditation', 'Global Master of Business Administration ranking', 'Lists', 'See also', 'References'], ['Origin', 'Development', 'Chartered trading companies', 'Pre-colonial population', 'Early settlement', 'North River and The Manhattans', "Kieft's War", 'Director-General Stuyvesant', 'Society', 'Expansion and incursion', 'Definition and identity', 'Origins', 'As an ethnic community', 'Self-perceptions', 'Population', 'Viruses', 'Evolutionary ecology', 'Fossil record', 'Coevolution', 'Coevolution favouring mutualism', 'Competition favoring virulence', 'Cospeciation', 'Modifying host behaviour', 'Trait loss', 'Host defences', 'ODS requirements in the marine industry', 'Prospects of ozone depletion', 'Research history', 'Rowland–Molina hypothesis', 'Antarctic ozone hole', 'Arctic ozone "mini-hole"', 'Tibet ozone hole', 'Potential depletion by storm clouds', 'Ozone depletion and global warming', 'Misconceptions', 'Architectural layout', 'Heraldry', 'Symbols', 'See also', 'References'], ['Optical', 'Chemical', 'Use and applications', 'Natural occurrence', 'Formation processes', 'In Earth history', 'Gallery', 'See also', 'References', 'Further reading', 'References', 'Gallery', 'See also', 'References', 'Bibliography'], ['Biography', 'Early life', 'Pontificate', 'See also', 'Notes', 'References', 'Etymology', 'Taxonomy', 'Subspecies', 'Phylogeny and evolution', 'Genetics', 'King cheetah', 'Characteristics', 'Etymology and definition', 'History and organization', 'Origins and characteristics of the first cathedrals', 'Buildings', 'Basilicas', 'Baptisteries', 'State parks', 'County parks', 'Municipal parks', 'Adjacent counties', 'Demographics', '2000 census', '2010 census', 'Law and government', 'Government', 'County seal', 'Overview', 'Origins', 'Expansion into Syria', 'The Next Generation', 'Hassan II and Rashid ad-Din Sinan', 'The Thirteenth Century', 'Downfall and Aftermath', 'Etymology', 'Military tactics', 'Name', 'Range', 'Description', 'Course and rules', 'Route table', 'Planning and publicity', 'History', 'Elfstedentocht 2012 - the race that did not happen', 'Winners', 'History', 'Discovery', 'Later observations', 'Naming', 'Orbit and rotation', 'Near resonances', 'Transits of planets from Pallas', 'Sources'], ['Terminology', 'South America', 'Positions', 'Israeli–Palestinian conflict', 'Relationship with India', 'Cartoons of Muhammad', 'Human rights', 'LGBT rights', 'Science and technology', 'Astana Declaration', 'Non-state terrorism', 'Rome after the Academy and Florence (1814–1824)', 'Return to Paris and retreat to Rome (1824–1834)', 'Director of the French Academy in Rome (1834–1841)', 'Last years (1841–1867)', 'Style', 'Portraits', 'Drawings', 'Colour', 'Ingres and Delacroix', 'Pupils', 'Needle mushroom dry ski mat', 'Recent materials', 'Ski and board preparation', 'See also', 'References'], [], ['Background', 'Military situation', 'Memphis, King assassination and the Civil Rights Act of 1968', 'Civil Rights Act of 1968', 'Gates v. Collier', 'Legacy', 'Characteristics', 'African-American women', 'Sexist discrimination', 'Avoiding the "Communist" label', 'Grassroots leadership', 'Popular reactions', 'DAB and AM/FM compared', 'FM HD Radio versus DAB', 'Use of frequency spectrum and transmitter sites', 'Sound quality', 'Benefits of DAB', 'Improved features for users', 'More stations', 'Reception quality', 'Less unlicensed ("pirate") station interference', 'Variable bandwidth'], ['Safety', 'References', 'See also', 'References', 'Further reading'], ['History', 'Origins', 'Early influence', 'Caliphate of Uthman', 'First Fitna', 'Sufyanid period', "Caliphate of Mu'awiya", 'Succession of Yazid I and collapse of Sufyanid rule', 'Writing', 'Plot summary', 'Characters', 'Literary significance and reception', 'Early life', 'Reign and religion', 'Marriages', 'Outside interests', 'War with England', 'Cognitive behavioral therapy', 'Internet interventions', 'Medications', 'Antihistamines', 'Melatonin', 'Antidepressants', 'Benzodiazepines', 'Other sedatives', 'Antipsychotics', 'Alternative medicine', 'Republic of China (Taiwan)', 'Methods of law enforcement', 'Drug control strategy', 'Alternatives to prohibition', 'See also', 'References', 'Further reading'], ['Purpose', 'Etymology', 'History', 'Postures', 'Koryū Schools', 'See also', 'References'], []]



['Wikipedia: Signal compression', 'Wikipedia: John Wesley', 'Wikipedia: A Streetcar Named Desire', 'Wikipedia: Lists of Canadians', 'Wikipedia: Tiger Woods', 'Wikipedia: Ars Magica', 'Wikipedia: Ecoregion', 'Wikipedia: USS Winston S. Churchill', 'Wikipedia: Y-wing', 'Wikipedia: Technological applications of superconductivity', 'Wikipedia: Kenjutsu']
[['References', 'All set index articles', 'Articles with short description', 'Concepts', 'Commemorations', 'Edibles and potables', 'Inventions and manufacturing advances', 'Organizations', 'Performances', 'Later years', 'In popular culture', 'See also', 'Notes', 'Name', 'Surveys', '19th-century surveys', '20th-century surveys', '21st-century surveys', 'Comparisons', 'Geology', 'Flora and fauna', 'Meteorology'], ['Early life', 'Education', 'Early career and marriage', 'Supreme Court career', 'Nomination and confirmation', 'Tenure', 'Supreme Court jurisprudence', 'Voting record and deciding votes', 'First Amendment', 'Fourth Amendment', 'Cases involving race', 'Abortion', 'Plot', 'Stage productions', 'Original Broadway production', 'Architects', 'Artists', 'Actors', 'Animators', 'Broadcasters', 'Musicians', 'Background and family', 'Early life and amateur golf career', 'College golf career', 'South River and New Sweden', 'Fresh River and New England', 'Capitulation, restitution, and concession', 'Legacy', 'Political culture', 'Lore', 'Language and place names', 'See also', 'References', 'Explanatory notes', 'Other demographic statistics', 'History', 'Arrival in the Indian sub-continent', 'Early years', 'Age of opportunity', 'Religious practices', 'Purity and pollution', 'Navjote', 'Marriage', 'Funerals', 'Vertebrates', 'Insects', 'Biology and conservation', 'Ecology and parasitology', 'Rationale for conservation', 'Quantitative ecology', 'History', 'Ancient', 'Medieval', 'Early Modern', 'CFC weight', 'Percentage of man-made chlorine', 'First observation', 'Location of hole', 'World Ozone Day', 'See also', 'References', 'Further reading'], ['Discovery and naming', 'Orbit and rotation', 'Capture', 'Physical characteristics', 'Atmosphere', 'Surface features', 'Cryovolcanism', 'History', 'Setting', 'The Order of Hermes', 'Geography', 'History', 'Main sights', 'Culture', 'Gallery'], ['Importance in antiquity', 'Description', 'Water control', 'Access routes', 'City centre', 'Huge structure discovered in 2016', 'Climate', 'History', 'History', 'Definition and categorization', 'Importance', 'Internal anatomy', 'Speed and acceleration', 'Ecology and behaviour', 'Social organisation', 'Home ranges and territories', 'Communication', 'Diet and hunting', 'Reproduction and life cycle', 'Habitat and distribution', 'Historical range', 'Episcopium', 'Finances', "Bishop's share", 'Clergy share', 'Fabric share', 'Charitable share', 'Personnel', 'Bishops', 'Presbyters and archpriests', 'Deacons, subdeacons and archdeacons', 'County flag', 'Politics', 'Law enforcement', 'Economy', 'Transportation', 'Major highways', 'Airport', 'Media', 'Events', 'Communities', 'Legends and folklore', 'In popular culture', 'See also', 'Notes', 'References', 'Further reading'], ['Tracks', 'Behavior', 'Reproduction', 'Life span', 'Historical references', 'Relationship with humans', 'References'], ['The eleven cities', 'Alternative Elfstedentocht', 'Fietselfstedentocht (Eleven towns by bicycle)', 'Zwemelfstedentocht', 'Notes', 'References'], ['Physical characteristics', 'Satellites', 'Exploration', 'Gallery', 'See also', 'Notes', 'References'], ['Causes', 'Internal variability', 'Ocean-atmosphere variability', 'Oscillations and cycles', 'Ocean current changes', 'Life', 'External climate forcing', 'Greenhouse gases', 'Orbital variations', 'Solar output', 'Dispute with Thailand', 'Notable meetings', 'Ninth meeting of PUOICM', 'IPHRC Trip to Washington DC', 'Observer Status dispute', 'Structure and organisation', 'Islamic Summit', 'Islamic Conference of Foreign Ministers', 'Secretary General', 'Permanent Secretariat', 'Influence on Modern Art', "Violon d'Ingres", 'Gallery', 'Notes', 'References', 'Further reading'], ['Early life', 'Early racing career', 'Formula One and sports car racing', 'Overview', 'World championship successes', 'Alfa Romeo and Monza accident', 'Maserati and sports car racing successes', 'Union attempts against Richmond', 'Shakeup in the Army of the Potomac', 'Intelligence and plans', 'Initial movements', 'April 27–30: Movement to battle', 'Opposing forces', 'Union', 'Confederate', 'Battle', 'May 1: Hooker passes on opportunity', 'American Jewish community', 'Public profile', 'Black segregationists', '"Black Power" militants', 'Soviet Union', 'White moderates', 'White segregationists', 'Political responses', 'Kennedy administration, 1961–1963', 'Johnson administration: 1963–1969', 'Transmission costs', 'Disadvantages of DAB', 'Audio quality', 'Signal delay', 'Coverage', 'Compatibility', 'Power requirements', 'FM radio switch-off', 'Norway', 'Other countries'], ['Naming', 'Design', 'Name', 'Geography', 'Extent', 'Rivers', 'Climate', 'Main cities', 'History', 'Wildlife', 'Marine mammals', 'Early Marwanid period', 'Marwanid transition and end of Second Fitna', 'Consolidation and expansion', 'Caliphate of Umar II', 'Later Marwanid period', 'Caliphate of Hisham and end of expansion', 'Third Fitna', 'Abbasid Revolution and fall', 'Umayyad administration', 'Provinces', 'Adaptations', 'BBC Radio adaptation', 'Comic book adaptations', 'Television adaptations', 'Inconsistencies with ending', 'References'], ['Aftermath', 'Issue', 'Fictional portrayals', 'Ancestors', 'References', 'Sources'], ['Prognosis', 'Epidemiology', 'Society and culture', 'References'], ['Low-temperature superconductivity', 'Magnetic Resonance Imaging (MRI) and Nuclear Magnetic Resonance (NMR)', 'Particle accelerators and magnetic fusion devices', 'High-temperature superconductivity (HTS)', 'HTS-based systems', 'History', 'Early development', 'Edo period']]



['Wikipedia: Signaling (telecommunications)', 'Wikipedia: Data processing', 'Wikipedia: Lawrence of Arabia (film)', 'Wikipedia: Sound effect', 'Wikipedia: Battle of Stirling Bridge', 'Wikipedia: Sardis', 'Wikipedia: Colorless green ideas sleep furiously', "Wikipedia: Simon and Garfunkel's Greatest Hits", 'Wikipedia: Jakko Jan Leeuwangh', 'Wikipedia: 243 Ida', 'Wikipedia: Schema', 'Wikipedia: Willy Brandt', 'Wikipedia: English grammar', 'Wikipedia: Wilberforce', 'Wikipedia: Pseudotsuga']
[['Set indices', 'Short description is different from Wikidata', 'Signal processing', 'Telecommunications techniques', 'References', 'Further reading'], ['Expeditions', 'Overview', 'Early attempts', 'First successful ascent by Tenzing and Hillary, 1953', '1950s–1960s', '1970s', '1979/1980: Winter Himalaism', 'Lho La tragedy, 1989', '1996 disaster', '2006 mountaineering season', 'Holy Club', 'Journey to Savannah, Georgia', 'Wesley\'s "Aldersgate experience"', 'After Aldersgate: Working with the Moravians', 'Persecutions and lay preaching', 'Chapels and organisations', 'Ordination of ministers', 'Doctrines, theology and advocacy', 'Advocacy of Arminianism', 'Support for abolitionism', 'Foreign law', 'Commentary and analysis', 'Other activities while serving on the Court', 'Retirement', 'Post–Supreme Court career', 'Commentary', 'Activities and memberships', 'Teaching', 'Publishing', 'Public speaking engagements', 'Original cast', 'Other early productions', 'Revivals', 'Adaptations', 'Film', 'Opera', 'Ballet', 'Television', 'Belle Reprieve', 'Inspirations', 'Visual arts', 'Cartoonists', 'Astronauts', 'Athletes', 'Businesspeople and entrepreneurs', 'Criminals and suspects', 'Wrongfully convicted or lynched', 'Directors', 'Educators', 'Environmentalists', 'Professional career', 'Honors', 'Endorsements', 'Accumulated wealth', 'Tiger-proofing', 'Career achievements', 'Major championships', 'Wins (15)', 'Results timeline', 'Summary', 'Citations', 'Further reading', 'Primary sources'], ['Temples', 'Factions within the community', 'Calendrical differences', 'Effect of the calendar disputes', 'Ilm-e-Kshnoom', 'Issues relating to the deceased', 'Archaeogenetics', 'Prominent Parsis', 'References', 'Citations', 'Parasitology', 'Vaccine', 'Resistance', 'Cultural significance', 'Classical times', 'Society', 'Fiction', 'Notes', 'References', 'Further reading', 'History', 'Film', 'Video games', 'Music', 'Polar cap, plains and ridges', 'Cantaloupe terrain', 'Impact craters', 'Observation and exploration', 'Maps', 'See also', 'Notes', 'References'], ['Realms of Power', 'System', 'Die-rolling conventions', 'Magic system', 'Character development', 'Publications', 'Sourcebooks', 'Adventures', 'Reception', 'Reviews', 'Background', 'The main battle', 'Aftermath', 'Popular culture', 'References', 'Neolithic', 'Bronze Age', 'Iron Age Edom', 'The emergence of Raqēmō/Petra', 'Petra as "Rekem"', 'Petra as "Sela"', 'Roman period', 'Byzantine period', 'Crusaders and Mamluks', '19th-20th centuries', 'Freshwater', 'See also', 'References', 'Bibliography'], ['Present distribution', 'Threats', 'Conservation measures', 'In Africa', 'In Asia', 'Interaction with humans', 'Taming', 'In captivity', 'In culture', 'See also', 'Doorkeepers, exorcists, lectors, acolytes and primicerius', "Women's orders: virgins, widows and deaconesses", 'Functions', 'Rule of the clergy', 'Early Middle Ages: religious communities', 'Late Middle Ages: monastic and secular cathedrals', 'Reformation', 'Roles', 'Provosts', 'Secular chapter', 'Towns', 'Census-designated places', 'Unincorporated communities', 'Education', 'See also', 'References'], ['County, State and Federal government', 'Historical and academic', 'Business and tourism', 'Details', 'Attempts at meaningful interpretations', 'Statistical challenges', 'Related and similar examples', 'See also', 'Notes', 'Overview', 'Reception', 'Track listing', 'Side one', 'Side two', 'Records', 'Personal records', 'World records', 'Tournament overviews', 'References'], ['Discovery and observations', 'Exploration', 'Galileo flyby', 'Discoveries', 'Physical characteristics', 'Volcanism', 'Plate tectonics', 'Other mechanisms', 'Evidence and measurement of climate changes', 'Direct measurements', 'Proxy measurements', 'Analysis and uncertainties', 'Consequences of climate variability', 'Vegetation', 'Wildlife', 'Subsidiary organisations', 'Specialised institutions', 'Affiliated institutions', 'Criticism', 'Secretaries-General', 'Islamic Summits', 'See also', 'References', 'Further reading'], ['Science and technology', 'Other', 'See also', 'Mercedes-Benz', 'Last years with Ferrari and Maserati', 'Kidnapping', 'Later life and death', 'Private life', 'Legacy', 'Racing record', 'Career highlights', 'Post-WWII Grandes Épreuves results', 'Complete Formula One World Championship results', "May 2: Jackson's flank attack", 'May 3: Chancellorsville', 'May 3: Fredericksburg and Salem Church', 'May 4–6: Union withdrawals', 'Aftermath', 'Casualties', 'Assessment of Hooker', 'Union reaction', 'Confederate reaction', 'Additional battle maps', 'In popular culture', 'Activist organizations', 'Individual activists', 'See also', 'History preservation', 'Post–civil rights movement', 'Notes', 'References', 'Bibliography', 'Further reading', 'DAB radio switch-off', 'See also', 'References', 'General'], ['Service history', 'Coat of arms', 'Shield', 'Crest', 'Motto', 'Seal', 'References', 'Further reading'], ['See also', 'References'], ['Government workers', 'Military', 'Currency', 'Central diwans', 'Diwan al-Kharaj', "Diwan al-Rasa'il", 'Diwan al-Khatam', 'Diwan al-Barid', 'Diwan al-Qudat', 'Diwan al-Jund', 'People', 'Places', 'Fictional characters', 'Other uses', 'See also', 'Name', 'Description', 'Species and varieties', 'North America', 'Asia', 'Formerly placed in Pseudotsuga', 'Origin and design', 'Appearances', 'Depiction', 'Cultural impact', 'References'], ['Electric power transmission', 'Holbrook Superconductor Project', 'Tres Amigas Project', 'Essen inner city', 'Voerde aluminium plant', 'Magnesium diboride', 'Trapped field magnets', 'Notes', 'Decline', '20th and 21st century', 'Weapons', 'Nitōjutsu', 'Notable historical Japanese practitioners', 'See also', 'Sources', 'References'], []]



['Wikipedia: Jakarta Messaging', 'Wikipedia: John McCain', 'Wikipedia: Bacterial lawn', 'Wikipedia: Sermon on the Mount', 'Wikipedia: Casu marzu', 'Wikipedia: Apulia', 'Wikipedia: Mata Hari', 'Wikipedia: Omaha, Nebraska', 'Wikipedia: Philosophy of mathematics', 'Wikipedia: Sacred geometry', 'Wikipedia: Arrhenius equation', 'Wikipedia: Baltimore County, Maryland', 'Wikipedia: Anzac Day', 'Wikipedia: Atlantic slave trade', 'Wikipedia: Fine-structure constant', 'Wikipedia: Prime meridian', 'Wikipedia: Domoic acid', 'Wikipedia: X-wing fighter', 'Wikipedia: Robert Dudley, 1st Earl of Leicester', 'Wikipedia: Unit 101']
[['Classification', 'In-band and out-of-band signaling', 'Line versus register signaling', 'Channel-associated versus common-channel signaling', 'Compelled signaling', 'Subscriber versus trunk signaling', 'Examples', 'See also', 'References', 'Data processing functions', 'History', 'Manual data processing', 'Automatic data processing', 'Electronic data processing', 'Other developments', 'Applications', 'Commercial data processing', 'Data analysis', 'See also', 'David Sharp ethics controversy, 2006', 'Lincoln Hall rescue, 2006', '2007', 'Ascent statistics up to 2010 season', '2010s', '2014 avalanche and season', '2015 avalanche, earthquake, season', 'Mountain re-opens in August 2015', '2016 season', '2017 season', 'Support for women preachers', 'Personality and activities', 'Death', 'Literary work', 'Commemoration and legacy', 'In film', 'In musical theatre', 'Works', 'See also', 'Notes and references', 'Non-profits and philanthropic activity', 'Personal life', 'Legacy and awards', 'See also', 'Notes', 'References', 'Bibliography', 'Further reading'], ['"A Streetcar Named Success"', 'Awards and nominations', 'Auction record', 'References'], ['Fashion', 'Humanitarians', 'Inventors', 'Law', 'Media', 'Medical', 'Military figures', 'Monarchs and Canadian Royal Family', 'Magicians', 'Politicians', 'The Players Championship', 'Wins (2)', 'World Golf Championships', 'Wins (18)', 'PGA Tour career summary', 'Playing style', 'Equipment', 'Other ventures', 'TGR Foundation', 'Tiger Woods Design', 'Plot', 'Part I', 'Part II', 'Cast', 'Characters', 'Historical accuracy', 'Representation of Lawrence', 'Representation of other characters', 'Production', 'Sources', 'Further reading'], [], ['Techniques', 'See also', 'Recording', 'Processing effects', 'Aesthetics', 'Techniques', 'See also', 'References'], ['Background and setting', 'Components', 'Teachings and theology', 'Theological structure', 'Awards', 'References'], ['Extra Reading'], ['Geography', 'Religion', 'UNESCO listing of ancient Petra and Bedouin heritage', 'Issues', 'In popular culture', 'Literature', 'Plays', 'Films', 'Television', 'Music and musical videos', '3D Documentation', 'Geography', 'History', 'Foundation stories', 'Target of conquest', 'Reliable gold coins', 'Desolation in 17\xa0AD earthquake', 'Decline and fall in the second millennium, AD', 'Archaeological expeditions', 'References', 'Further reading'], ['Deans', 'Precentors', 'Chancellors', 'Treasurers', 'Other clergy', 'Relationship of chapter and bishop', 'Functions of a cathedral', 'Religious functions', 'Civic and social functions', 'Artworks, treasures and tourism', 'History', 'Pioneer Omaha', '19th century', 'References', 'Recurrent themes', 'History', 'Charts and certifications', 'Peak positions', 'Year-end charts', 'Certifications', 'See also', 'References', 'Equation', 'Arrhenius plot', 'Modified Arrhenius equation', 'Surface features', 'Regolith', 'Structures', 'Craters', 'Composition', 'Orbit and rotation', 'Origin', 'Dactyl', 'Discovery', 'Orbit', 'Humanity', 'Changes in the cryosphere', 'Glaciers and ice sheets', 'Sea level change', 'Sea ice', 'Through geologic and historical time', 'Paleo-Eocene Thermal maximum', 'The Cenozoic', 'The Holocene', 'Modern climate change and global warming', 'History', 'Law and government', "State's attorney", 'History', 'Gallipoli campaign, 1915', 'From 1915 to World War II', 'Changes after World War II', 'Popularity sinks', '1990s–2010s: Revival', 'Rabbits', 'Distribution', 'Biology', 'Digestion', 'Birth and early life', 'Sociality and safety', 'Classification', 'References', 'Formula One records', 'Complete 24 Hours of Le Mans results', 'Complete 12 Hours of Sebring results', 'Complete 24 Hours of Spa', 'Complete Mille Miglia results', 'Complete Carrera Panamericana results', 'Indianapolis 500 results', 'See also', 'Notes and references', 'Further reading', 'Gallery: Chancellorsville campaign tactical maps', 'Battlefield preservation', 'In popular media', 'See also', 'Notes', 'References', 'Memoirs and primary sources', 'Further reading'], ['Historiography and memory', 'Autobiographies and memoirs'], ['Definition', 'In non-SI units', 'Measurement', 'Physical interpretations', 'Word classes and phrases', 'Nouns', 'Phrases', 'Gender', 'Determiners', 'Pronouns', 'Personal', 'Demonstrative and interrogative', 'Relative', '"There"', 'Social organization', 'Non-Muslims', 'Legacy', 'Historical significance', 'Architecture', 'Theological view of the Umayyads', 'Sunni', "Shi'a", "Bahá'í", 'Early literature', 'History', 'List of prime meridians on Earth', 'International prime meridian', 'Prime meridian at Greenwich', 'Uses', 'Pests and diseases', 'Culture', 'References'], ['Origin and design', 'Depiction', 'In Legends', 'Merchandise and licensing', 'Cultural influence', 'Youth', 'Education and marriage', 'Condemned and pardoned', 'Royal favourite', "Amy Dudley's death", 'Background', 'Recruitment', 'Operations', 'Palestinian refugee camp']]



['Wikipedia: Signal-to-noise ratio', 'Wikipedia: 1062', 'Wikipedia: 17th century BC', 'Wikipedia: Jakarta EE', 'Wikipedia: Hokusai', 'Wikipedia: The Selfish Gene', 'Wikipedia: Triton (mythology)', 'Wikipedia: Bari', 'Wikipedia: Polish literature', 'Wikipedia: Dr. Feelgood (band)', 'Wikipedia: George VI', 'Wikipedia: Peering', 'Wikipedia: Asteroid belt', "Wikipedia: Haidinger's brush", 'Wikipedia: Abbasid Caliphate', 'Wikipedia: William Wilberforce', 'Wikipedia: James IV of Scotland', 'Wikipedia: Victimless crime']
[['Definition', 'Decibels', 'Dynamic range', 'Difference from conventional power', 'Alternative definition', 'Course', 'North Branch', 'Main Stem', 'South Branch', 'Discharge', 'History', 'Name', 'Exploration and settlement', 'Early improvements', 'Autumn climbing', 'Selected climbing records', 'Summiting with disabilities', 'Aviation', '1933: Flight over Everest', '1988: First climb and glide', '1991: Hot air balloon flyover', '2005: Pilot summits with helicopter', '2011 Paraglide off summit', '2014: Helicopter-assisted ascent', 'Events', 'By place', 'Europe', 'Britain', 'Africa', 'By topic', 'Decades and years', 'Events', 'Significant persons', 'See also', 'References', 'Further reading'], ['Singers', 'Viceroys', 'Writers', 'Other personalities', 'Fictional', 'Other', 'References'], ['Further reading'], ['Early life and artistic training', 'Legacy', 'Later film', 'See also', 'Notes', 'References', 'Sources', 'Further reading'], ['Political Independence', 'Campaign Finance Reform', 'Start of third term in the U.S. Senate', '2000 presidential campaign', 'Senate career, 2000–2008', 'Remainder of third Senate term', 'Start of fourth Senate term', '2008 presidential campaign', 'Senate career after 2008', 'Remainder of fourth Senate term', 'Core playback and library functions', 'Visualizations', 'Format support', 'Windows Media Player Mobile', 'Disc burning, ripping, and playback', 'Portable device sync', 'Enhanced playback features', 'Shell integration', 'Extensibility', 'Online features', 'Primates', 'Bacteria', 'Regulation by emotional disposition', 'See also', 'References', 'Sea god', 'Libyan lake god', 'Triton with men and heroes', 'Further genealogy', '17th century', '18th century', '19th century', 'Major papers', 'Style', '20th century', 'Developments', 'Language', 'See also', 'Notes', 'References', 'Further reading'], ['Geology', 'Resource', 'History', 'Industry', 'Extraction and processing', 'Applications and products', 'Economics', 'Environmental considerations', 'Extraterrestrial oil shale', 'Middle Ages', 'Renaissance', 'Baroque', 'Enlightenment', 'Romanticism', 'Positivism', 'Museum exhibition', 'In popular culture', 'See also', 'References'], ['Etymology', 'History', 'Heraldry', 'Geography', 'Population centres', 'Climate', 'Culture', 'Museums', 'Architecture', 'Cultural events and festivals', 'Latinos in Omaha', 'Economy', 'Top employers', 'Tourism', 'Culture', 'Henry Doorly Zoo', 'Old Market', 'Music', 'Popular culture', 'Sports and recreation', 'Conventionalism', 'Intuitionism', 'Constructivism', 'Finitism', 'Structuralism', 'Embodied mind theories', 'Aristotelian realism', 'Psychologism', 'Empiricism', 'Fictionalism', 'See also', 'References', 'Further reading'], ['How peering works', 'Motivations for peering', 'Physical interconnections for peering', 'Public peering', 'History of observation', 'Origin', 'Formation', 'Evolution', 'Characteristics', 'Box models', 'Zero-dimensional models', 'Radiative-convective models', 'Higher-dimension models', 'EMICs (Earth-system models of intermediate complexity)', 'GCMs (global climate models or general circulation models)', 'Research and development', 'See also', 'Transportation', 'Major roads and highways', 'Transit', 'Rail', 'Demographics', '2000 census', '2010 census', 'Economy', 'Top employers', 'Government and infrastructure', 'Antarctica', 'Belgium', 'Brunei', 'Canada', 'Cyprus', 'Egypt', 'France', 'Germany', 'Hong Kong', 'India', 'Villages and neighborhoods', 'Further expansion', 'Geography', 'Climate', 'Demographics', '2010 census', '2000 census', 'Economy', 'Shopping', 'Arts and culture', 'Parades and protests', 'Enaction of security measures', 'Sites of interest', 'Transit service', 'Metrobus', 'DC Circulator', 'MTA Commuter Bus', 'TheBus', 'Washington Metro', 'References', 'Book 3, De mundi systemate', 'Commentary on the Principia', 'Rules of Reasoning in Philosophy', 'General Scholium', 'Writing and publication', "Halley and Newton's initial stimulus", 'Preliminary version', "Halley's role as publisher", 'Historical context', 'Beginnings of the Scientific Revolution', 'Slavery in Africa and the New World contrasted', 'Slave market regions and participation', 'African kingdoms of the era', 'Ethnic groups', 'Human toll', 'African conflicts', 'Port factories', 'Atlantic shipment', 'Seasoning camps', 'Diseases', 'References'], ['Physiological causes', 'Clause and sentence structure', 'Word order', 'Questions', 'Dependent clauses', 'Other uses of inversion', 'Imperatives', 'Elliptical constructions', 'History of English grammars', 'See also', 'Notes and references', 'History', 'Abbasid Revolution (750–751)', 'Power (752–775)', 'Abbasid Golden Age (775–861)', 'Fracture to autonomous dynasties (861–945)', 'Buyid and Seljuq control (945–1118)', 'Early life and education', 'Early parliamentary career', 'Conversion', 'Abolition of the slave trade', 'Initial decision', 'Pop culture', 'See also', 'References'], ['Appearances', 'Concept and design', 'Depiction', 'Impact', 'References'], ['Religion', 'Governor-General of the United Provinces', 'Armada and death', 'Historiographical treatment', 'Ancestry', 'See also', 'Footnotes', 'Citations', 'References', 'Further reading', 'Holy Roman Empire', 'State of the Teutonic Order', 'Elsewhere', 'England', 'France', 'Montenegro', 'Portugal', 'Special cases']]



['Wikipedia: X10 (industry standard)', 'Wikipedia: 18th century BC', 'Wikipedia: Sinhala script', 'Wikipedia: Tang dynasty', 'Wikipedia: North Cascades National Park', 'Wikipedia: Cloud albedo', 'Wikipedia: Telex (band)', 'Wikipedia: Nellie Tayloe Ross', 'Wikipedia: Menopause', 'Wikipedia: Second Peace of Thorn (1466)', 'Wikipedia: Louis XVI']
[['Modulation system measurements', 'Amplitude modulation', 'Frequency modulation', 'Improving SNR in practice', 'Digital signals', 'Fixed point', 'Floating point', 'Optical SNR', 'Types and abbreviations', 'Other uses', 'Reversing the flow', 'Eastland disaster', 'Chicago flood of 1992', 'Bridges', 'Pollution and restoration', 'Mouth of the river', 'Dyeing the river', "St. Patrick's Day", 'Chicago Cubs rally', 'McCormick Bridgehouse & Chicago River Museum', '2016: Helicopter business increases', 'Financial cost of guided climbs', 'Commercial climbing', 'Law and order', '2014 Sherpa strike', 'Extreme sports at Mount Everest', 'Everest and religion', 'Waste management', 'Climate', 'Names', 'Religion', 'Births', 'Deaths', 'References', 'Deaths', 'Extinctions', 'Sovereign States', 'Decades and years', 'References', 'History', 'Specifications', 'Web specifications', 'Web service specifications', 'Enterprise specifications', 'Other specifications', 'Web profile', 'Certified referencing runtimes', 'Code sample', 'History', 'Structure', 'Diacritics', 'Non-vocalic diacritics', 'Letters', 'Height of career', 'Later life', 'Shunga', 'Works and influences', 'Selected works', 'Influences on art and culture', 'Notes', 'References', 'Further reading', 'General biography', 'History', 'Establishment', "Wu Zetian's usurpation", "Emperor Xuanzong's reign", 'An Lushan Rebellion and catastrophe', 'Fifth Senate term', 'Sixth and final Senate term', 'Brain tumor diagnosis and surgery', 'Return to the Senate', 'Committee assignments', 'Caucus memberships', 'Death and funeral', 'Tributes', 'Negative reaction from the White House', 'Political positions', 'Media streaming', 'Skin Mode', 'Security issues', 'Other versions', 'Windows Mobile', 'Mac OS X', 'European Commission case', 'Release history', 'See also', 'Footnotes', 'Background', 'Book', 'Contents', 'Themes', '"Selfish" genes', '"Replicators"', 'Genes vs organisms', 'Altruism', 'Tritons', 'Hellenistic and Roman art', 'Literature in the Roman period', 'Pausanias', 'Renaissance Period', 'Victorian Age', 'In popular culture', 'Mascot', 'Eponyms', 'Explanatory notes', '21st century', 'The phone hacking scandal', 'Declining circulation', 'See also', 'References', 'Further reading', 'Historiography'], ['History', 'Ancient', 'Middle Ages', 'Early modern period', 'World War II', 'The 1943 chemical warfare disaster', 'Charles Henderson explosion', 'See also', 'References', 'Bibliography'], ['Young Poland (1890–1918)', 'Interbellum (1918–39)', 'World War II', '1945–56', '1956–present', 'Nobel laureates', 'See also', 'Notes', 'References'], ['Career', 'Early years', 'Later years', 'Members', 'Gallery', 'UK discography', 'Albums', 'Singles', 'Transport', 'Education', 'Economy', 'Sports', 'Media', 'Notable residents', 'Public thinking & Public Service', 'The Arts', 'Politics', 'International relations', 'Recreation', 'Government and politics', 'Crime', 'Education', 'Media', 'Infrastructure', 'Transportation', 'Notable people', 'Sister cities', 'See also', 'Social constructivism', 'Beyond the traditional schools', 'Unreasonable effectiveness', "Popper's two senses of number statements", 'Philosophy of language', 'Arguments', 'Indispensability argument for realism', 'Epistemic argument against realism', 'Aesthetics', 'Journals', 'Early life', 'Military career and education', 'Marriage', 'Reluctant king', 'Early reign', 'Second World War', 'Empire to Commonwealth', 'Illness and death', 'Legacy', 'Private peering', 'Peering agreement', 'History of peering', 'Depeering', 'Modern peering', 'Donut peering model', 'Multilateral peering', 'Peering locations', 'Exchange points', 'Peering and BGP', 'Composition', 'Main-belt comets', 'Orbits', 'Kirkwood gaps', 'Collisions', 'Meteorites', 'Families and groups', 'Periphery', 'New families', 'Exploration', 'Climate models on the web', 'References', 'Bibliography'], ['Education', 'Colleges and universities', 'Public schools', 'Private schools', 'Communities', 'Census-designated places', 'Unincorporated communities', 'Notable people', 'See also', 'References', 'Ireland', 'Israel', 'Malaysia', 'Malta', 'Pacific Ocean island nations', 'Poland', 'Singapore', 'South Sudan', 'Thailand', 'United Kingdom', 'Entertainment and performing arts', 'Howard County Library System', 'Historic sites', 'Religion', 'Parks and recreation', 'Education', 'Colleges and universities', 'Infrastructure', 'Transportation', 'Public transit'], ['History', 'Discography', "Newton's role", "Newton's early work on motion", 'Controversy with Hooke', 'Location of early edition copies', 'Later editions', 'Second edition, 1713', 'Third edition, 1726', 'Annotated and other editions', 'English translations', 'Homages', 'Smallpox', 'European competition', 'New World destinations', 'Economics of slavery', 'Effects', 'Effect on the economy of West Africa', 'Effects on the British economy', 'Demographics', 'Legacy of racism', 'End of the Atlantic slave trade', "Seeing Haidinger's brush", 'Use', 'See also', 'References', 'Further reading'], ['Further reading', 'Grammar books', 'Monographs'], ['Revival of military strength (1118–1258)', 'Mongol invasion (1206–1258)', 'Abbasid Caliphate of Cairo (1261–1517)', 'Culture', 'Islamic Golden Age', 'Science', 'Literature', 'Philosophy', 'Architecture', 'Foundation of Baghdad', 'Early parliamentary action', 'War with France', 'Final phase of the campaign', 'Personal life', 'Other concerns', 'Political and social reform', 'Evangelical Christianity', 'Moral reform', 'Emancipation of enslaved Africans', 'Last years', 'Early life', 'Reign', 'Politics', 'Culture', 'Policy in the Highlands and Isles', 'War and death', "Legends of the King's resting place", 'Marriage', 'Illegitimate children', 'Definition', 'Legalization of victimless acts', 'Controversy', 'See also', 'References', 'Further reading'], ['Background', 'Terms', 'Modern informal usage', 'See also', 'References', 'Sources and external links']]



['Wikipedia: Signal transition', 'Wikipedia: Glasnevin Cemetery', 'Wikipedia: Java Platform, Micro Edition', 'Wikipedia: List of business schools in the United States', 'Wikipedia: Petri dish', 'Wikipedia: Anna of Russia', 'Wikipedia: Sarah Bernhardt', 'Wikipedia: Jochen Rindt', 'Wikipedia: Lagged Fibonacci generator', 'Wikipedia: 1260s BC', 'Wikipedia: Accuracy in Media', 'Wikipedia: Assassins (musical)', 'Wikipedia: Free World', 'Wikipedia: Deadweight loss', 'Wikipedia: Cloud', 'Wikipedia: Allegany County, Maryland', 'Wikipedia: Charles Maurice de Talleyrand-Périgord', 'Wikipedia: Polyvinylpyrrolidone', 'Wikipedia: Phytoplankton', 'Wikipedia: Consensual crime', 'Wikipedia: Paleoclimatology']
[['See also', 'Notes', 'References'], ['Monitoring the impact of extreme weather events on the Chicago District', 'See also', 'Notes and references', 'Notes', 'References', 'Bibliography'], ['Context and maps', 'See also', 'References', 'Further reading'], ['History', 'Brands', 'Power line carrier control overview', 'Protocol', 'One way vs two way', 'List of X10 commands', 'List of X10 house and unit code encodings', 'Physical layer details', 'RF protocol', 'Events', 'Significant persons', 'Deaths', 'Inventions, discoveries, introductions', 'Sovereign states', 'Decades and years', 'References', 'Example Backing Bean class', 'Example Data Access Object class', 'Example Entity class', 'See also', 'References'], ['Śuddha set', 'Vowels', 'Consonants', 'Prenasalized consonants', 'Miśra set', 'Consonant conjuncts', 'Letter names', 'Numerals', 'Transliteration', 'Use for the Pali language', 'Specific works of art', 'Art monographs'], ['Prints', 'Biographies', 'Rebuilding and recovery', 'End of the dynasty', 'Administration and politics', 'Initial reforms', 'Imperial examinations', 'Religion and politics', 'Taxes and the census', 'Military and foreign policy', 'Protectorates and tributaries', 'Soldiers and conscription', 'Cultural and political image', 'Awards and honors', 'Electoral history', 'Bibliography', 'Books', 'Articles and forewords', 'See also', 'References'], ['References', 'Further reading'], ['Reception', 'Units of selection', 'Choice of words', 'Enactive arguments', 'Moral arguments', 'Publication', 'Editions', 'Awards and recognition', 'See also', 'Notes', 'References'], ['Early life', 'Biography', 'Early life', 'Debut and departure from the Comédie-Française (1862–1864)', 'The Gymnase and Brussels (1864–1866)', 'The Odéon (1866–1872)', 'Geography', 'Climate', 'Quarters', 'Architectural landmarks', 'Basilica of Saint Nicholas', 'Bari Cathedral', 'Petruzzelli Theatre', 'Swabian Castle', 'Pinacoteca Provinciale di Bari', 'The Russian Church', 'Human history', 'Paleoindians and Native Americans', 'Anglo-European Exploration', 'Mining, logging and dam construction', 'Establishing the National Park', 'Park management', 'Access', 'Geography', 'Geology', 'Early life and family', 'Racing career', 'Beginnings', 'References', 'Bibliography'], ['See also', 'References', 'Bibliography'], ['Notes', 'References'], ['See also', 'Related works', 'Historical topics', 'Notes', 'Further reading'], ['Titles, styles, honours and arms', 'Titles and styles', 'Arms', 'Issue', 'Ancestry', 'Notes', 'References', 'Sources'], ['Law and policy', 'See also', 'References'], ['See also', 'References', 'Further reading'], ['What can change cloud albedo?', 'Liquid Water Path (LWP)', 'The Twomey Effect (Aerosol Indirect Effect)', 'Zenith Angle', 'References', 'Further reading'], ['History', 'United States', 'Commercialisation', 'Criticism of some commemorations', 'Criticism of Anzac Day', 'See also', 'References'], ['Roads', 'Healthcare', 'Notable people', 'Sister cities', 'Related cities', 'References', 'Further reading'], ['Albums', 'Compilations and remix albums', 'References'], ['See also', 'References', 'Further reading'], ['Latin versions', 'Other links', 'British abolitionism', "Castlereagh and Palmerston's diplomacy", 'British Royal Navy', 'Last slave ship to the United States', 'Economic motivation to end the slave trade', 'Legacy', 'African diaspora', '"Back to Africa"', 'Rastafari movement', 'Apologies', 'Early life and education', 'Governorship of Wyoming', 'Director of U.S. Mint', 'Appointment by FDR', 'Tenure', "O'Reilly's retirement", 'Legacy', 'Signs and symptoms', 'Vagina and uterus', 'Other physical', 'Mood and memory effects', 'Long-term effects', 'Causes', 'Age', 'Premature ovarian failure', 'Surgical menopause', 'Glass and crystal', 'Painting', 'Pottery', 'Textiles', 'Technology', 'Status of women', 'Treatment of Jews and Christians', 'Arabization', 'Military', 'Decline of the empire', 'Funeral', 'Legacy', 'Memorials', 'Bibliography', 'See also', 'Notes', 'References'], ['Fictional portrayals', 'Ancestors', 'Notes', 'References', 'Giving consent', 'Examples', 'See also', 'Notes', 'Outcome', 'See also', 'References', 'Bibliography'], ['Childhood', 'Family life', 'Absolute monarch of France, 1774–1789', 'Foreign policy', 'Concerning the American Revolution and Europe', 'Concerning Asia', 'Revolutionary constitutional reign, 1789–1792', 'Flight to Varennes (1791)', 'Intervention by foreign powers']]



['Wikipedia: Simple Network Management Protocol', 'Wikipedia: Grant Park (Chicago)', 'Wikipedia: The Grapes of Wrath', 'Wikipedia: List of business schools in Europe', "Wikipedia: Prisoner's dilemma", 'Wikipedia: D. H. Lawrence', 'Wikipedia: Psychopharmacology', 'Wikipedia: Fermat pseudoprime', 'Wikipedia: The Paul Simon Songbook', 'Wikipedia: Saul Kripke', 'Wikipedia: Andrew Marvell', 'Wikipedia: Isabella of Angoulême', 'Wikipedia: Erich Raeder', 'Wikipedia: 905']
[['References', 'Overview and basic concepts', 'History', 'Events', 'Features', 'Millennium Park', 'Maggie Daley Park', 'Art Institute of Chicago', 'History and description', 'Location', 'Features', 'Memorials and graves', 'Angels plot', 'Crematorium', 'Museum and tours', 'In popular culture', 'Hardware support', 'Device modules', 'Controllers', 'Bridges', 'Limitations', 'Compatibility', 'Wiring and interfering sources', 'Commands getting lost', 'Lack of speed', 'Limited functionality', 'Plot', 'Characters', 'Religious interpretation', 'Development', 'Connected Limited Device Configuration', 'Mobile Information Device Profile', 'Information Module Profile', 'Connected Device Configuration', 'Foundation Profile', 'Personal Basis Profile', 'Implementations', 'Relation to other scripts', 'Computer encoding', 'Unicode', 'See also', 'References', 'Further reading'], ['References', 'Eastern regions', 'Western and Northern regions', 'Economy', 'Silk Road', 'Seaports and maritime trade', 'Culture and society', 'Art', "Chang'an, the Tang capital", 'Literature', 'Religion and philosophy', "Strategy for the prisoner's dilemma", 'Generalized form', 'Special case: donation game', "The iterated prisoner's dilemma", 'Features and variants', 'Uses', 'Microbiology', 'Contamination detection and mapping', 'Cell culture', 'Botany and agriculture', 'Entomology', 'Chemistry', 'Sample storage and display', 'In popular culture', 'References', 'Bibliography'], ['Courland Regency', 'Accession', 'Empress of Russia', 'Cadet Corps', 'Academy of Science', 'The Secret Office of Investigation', 'Nobility', 'Westernization', 'Foreign affairs', 'Relationship with Biron', 'Wartime service at the Odéon (1870–1871)', 'Ruy Blas and return to the Comédie française (1872–1878)', 'Triumph in London and departure from the Comédie Française (1879–1880)', 'La Dame aux camélias and first American tour (1880–1881)', 'Return to Paris, European tour, Fédora to Theodora (1881–1886)', 'World tours (1886–1892)', 'La Tosca to Cleopatra (1887–1893)', 'Théâtre de la Renaissance (1893–1899)', 'Théâtre Sarah Bernhardt (1899–1900)', 'Farewell tours (1901–1913)', 'Barivecchia', 'Demographics', 'Migration', 'Culture', 'Fiera del Levante', 'Cuisine and gastronomy', 'Language', 'Notable people', 'Sport', 'Economy and infrastructure', 'Mountains', 'Water features', 'Glaciers', 'Ecology', 'Flora', 'Fauna', 'Fire', 'Climate', 'Air and water quality', 'Attractions', 'Formula Two', 'Sports cars', 'Formula One', 'Cooper and Brabham (1964–1968)', 'Team Lotus (1969–1970)', '1969 season', '1970 season', 'Death and legacy', 'Personal life', 'Racing record', 'Properties of lagged Fibonacci generators', 'Problems with LFGs', 'Usage', 'See also', 'References', 'Events and trends', 'Significant people', 'References', 'History', 'Funding', 'Controversies', 'War coverage', 'Human rights', 'Vince Foster conspiracy theory', 'United Nations', 'Climate change', 'Barack Obama', 'COVID-19 Pandemic', 'Background and productions', 'Background', 'Productions', 'Versions', 'Characters', 'Notable cast and characters', 'Synopsis', 'Background', 'Recording and releases', 'Artwork and notes', 'Subsequent history', 'Origins', '21st century usage', 'Leadership of the Free World', 'United States', 'European Union', 'Germany', 'See also', 'References', 'Examples', 'Monopoly', 'Subsidy', 'Tax', "Harberger's triangle", 'Hicks vs. Marshall', 'Deadweight loss of taxation', 'Determinants of deadweight loss', 'How deadweight loss changes as taxes vary', 'Etymology and history of cloud science and nomenclature', 'Etymology', 'Aristotle', 'First comprehensive classification', 'Formation in the homosphere: How air becomes saturated', 'Adiabatic cooling', 'Non-adiabatic cooling', 'Geography', 'Mountains', 'Adjacent counties', 'National protected areas', 'Demographics', '2000 census', '2010 census', 'Communities', 'Cities', 'Towns', 'Life and career', 'Work', 'Modal logic', 'Canonical models', 'Carlson models', 'Intuitionistic logic', 'Early life', "First poems and Marvell's time at Nun Appleton", 'Anglo-Dutch War and employment as Latin secretary', 'After the Restoration', 'Prose works', 'Early life', 'French Revolution', 'Under Napoleon', 'Changing sides', 'Bourbon Restoration and July Monarchy', 'Private life', 'Honours', 'Anecdotes', 'In fiction', 'Uses', 'Medical', 'Technical', 'Other uses', 'Safety', 'Properties', 'History', 'Worldwide', 'Benin', 'France', 'Ghana', 'Netherlands', 'Nigeria', 'Uganda', 'United Kingdom', 'United States', 'See also', 'Later years and death', 'See also', 'References', 'Sources'], ['Mechanism', 'Ovarian aging', 'Diagnosis', 'Premenopause', 'Perimenopause', 'Postmenopause', 'Management', 'Hormone replacement therapy', 'Selective estrogen receptor modulators', 'Other medications', 'Separatist dynasties and their successors', 'Dynasties claiming Abbasid descent', 'See also', 'Footnotes', 'References', 'Bibliography'], ['Life before becoming the Grand Admiral', 'Early years', 'Imperial German Navy', 'World War I', 'Weimar Republic', 'Types', 'Ecology', 'Diversity', 'Growth strategy', 'Variability of ocean blooms', 'Is global phytoplankton on the decline?', 'Aquaculture', 'See also', 'References', 'Further reading', 'Events', 'By place', 'History', 'Reconstructing ancient climates', 'Proxies for climate', 'Ice', 'Dendroclimatology', 'Sedimentary content', 'Sclerochronology', 'Landscapes and landforms', 'Imprisonment, execution and burial, 1792–1793', 'Legacy', 'In film and literature', 'Ancestors', 'Titles, styles, honours and arms', 'Titles and styles', 'Honours', 'Arms', 'References', 'Bibliography']]



['Wikipedia: Haskell Curry', 'Wikipedia: Electrical cable', 'Wikipedia: Ashley Judd', 'Wikipedia: Massage', 'Wikipedia: Gunderic', 'Wikipedia: World Esperanto Youth Organization', 'Wikipedia: Charlton Heston', 'Wikipedia: Black Narcissus', 'Wikipedia: Metric time', 'Wikipedia: UNICOS', 'Wikipedia: Amanda (software)', 'Wikipedia: Fauna of Australia', 'Wikipedia: Zooplankton', 'Wikipedia: Guillotine']
[['Management information base', 'Protocol details', 'Protocol versions', 'Version 1', 'Version 2', '64-bit counters', 'SNMPv1 & SNMPv2c interoperability', 'Proxy agents', 'Bilingual network-management system', 'Version 3', 'Buckingham Fountain', 'Museum Campus', 'Petrillo Music Shell', 'Congress Plaza', 'Gardens', 'The Court of the Presidents', 'Hutchinson Field', 'Chicago Lakefront Trail', 'Marinas and harbors', 'Skate Plaza', 'References'], ['Life', 'Interference and lack of encryption', 'See also', 'References'], ['Title', "Author's note", 'Critical reception', 'Similarities to Whose Names Are Unknown', 'Adaptations', 'In film', 'In music', 'In theatre', 'See also', 'References', 'JSRs (Java Specification Requests)', 'Foundation', 'Main extensions', 'Future', 'ESR', 'See also', 'References', 'Bibliography'], ['Early life', 'Career', 'Personal life', 'Education', 'Interests', 'Sexual assault', 'Armenia', 'Austria', 'Belgium', 'Bosnia and Herzegovina', 'Bulgaria', 'Croatia', 'Cyprus', 'Czech Republic', 'Denmark', 'Estonia', 'Leisure', 'Status in clothing', 'Position of women', 'Cuisine', 'Science and technology', 'Engineering', 'Woodblock printing', 'Cartography', 'Medicine', 'Alchemy, gas cylinders, and air conditioning', "Strategy for the iterated prisoner's dilemma", "Stochastic iterated prisoner's dilemma", 'Zero-determinant strategies', "Continuous iterated prisoner's dilemma", 'Emergence of stable strategies', 'Real-life examples', 'Environmental studies', 'Animals', 'Psychology', 'Economics', 'See also', 'References'], ['Life and career', 'Early life', 'Early career', 'Exile', 'Later life and career', 'Death', 'Written works', 'Novels', 'Short stories', 'Poetry', 'Death and succession', 'Legacy', 'See also', 'Notes', 'References'], ['Amputation of leg and wartime performances (1914–1918)', 'Final years (1919–1923)', 'Motion pictures', 'Painting and sculpture', 'The Art of the Theater', 'Memory and improvisation', 'Critical appraisals', 'Personal life', 'Paternity, date of birth, ancestry, name', 'Lovers and friends', 'Transport', 'Public transportation statistics', 'Twin towns — sister cities', 'In popular culture', 'Gallery', 'See also', 'References', 'Further reading'], ['Camping, hiking and bicycling', 'Mountaineering', 'See also', 'References'], ['Complete Formula One World Championship results', 'Non-Championship Formula One results', 'Complete 24 Hours of Le Mans results', 'Complete Indianapolis 500 results', 'Notes', 'References', 'Citations', 'Film sources', 'Bibliography'], ['Historical overview', 'Early psychopharmacology', 'Modern psychopharmacology', 'Chemical signaling', 'Neurotransmitters', 'Hormones', 'Psychopharmacological substances', 'Alcohol', 'Definition', 'Properties', 'Distribution', 'Factorizations', 'Smallest Fermat pseudoprimes', 'List of Fermat pseudoprimes in fixed base n', 'Which bases b make n a Fermat pseudoprime?', 'Weak pseudoprimes', 'Euler–Jacobi pseudoprimes', 'Accuracy in Media Award', 'References'], ['Musical numbers', 'Cultural impact', 'Awards and nominations', 'Recordings', 'References', 'Further reading'], ['Track listing', 'Other recordings', 'References', 'Bibliography'], ['History', 'In computing', 'Prefixes', 'See also', 'Deadweight loss of a monopoly', 'See also', 'References', 'Further reading'], ['Adding moisture to the air', 'Classification: How clouds are identified in the troposphere', 'Physical forms', 'Stratiform', 'Cirriform', 'Stratocumuliform', 'Cumuliform', 'Cumulonimbiform', 'Levels and genera', 'High-level', 'Census-designated places', 'Unincorporated communities', 'Government and infrastructure', 'Current government', 'Infrastructure', 'Politics', 'Transportation', 'Major highways', 'Rail', 'Public transportation', 'Naming and Necessity', '"A Puzzle about Belief"', 'Wittgenstein', 'Truth', 'Religious views', 'Saul Kripke Center', 'Awards and recognitions', 'Works', 'See also', 'References', 'Views', "Marvell's poetic style", 'In popular culture', 'See also', 'References', 'Further reading'], ['Gallery', 'See also', 'Notes', 'Further reading', 'Biographies', 'Scholarly studies', 'Historiography', 'Non-English language'], ['Cross-linked derivatives', 'See also', 'References', 'References', 'Bibliography', 'Academic books', 'Academic articles', 'Non-academic sources', 'Further reading'], ['Queen of England', 'Second marriage', 'Rebellion and death', 'Issue', 'Ancestry', 'In popular culture', 'Sources', 'Further reading', 'Therapy', 'Exercise', 'Alternative medicine', 'Other efforts', 'Society and culture', 'Etymology', 'Evolutionary rationale', 'Non-adaptive hypotheses', 'Early human selection shadow', 'Adaptive hypotheses', 'Origins', 'Mammals', 'Monotremes and marsupials', 'Placental mammals', 'Birds', 'Amphibians and reptiles', 'High Seas Fleet mutiny', 'Kapp putsch', 'Commander in Chief', 'World War II', 'Resignation', 'Post war', 'Nuremberg trial', 'Freedom', 'Service summary', 'References', 'Further reading'], ['Overview', 'Europe', 'Britain', 'Arabian Empire', 'Asia', 'By topic', 'Religion', 'Births', 'Deaths', 'References', 'Timing of proxies', 'Notable climate events in Earth history', 'History of the atmosphere', 'Earliest atmosphere', 'Second atmosphere', 'Third atmosphere', 'Climate during geological ages', 'Precambrian climate', 'Phanerozoic climate', 'Quaternary climate', 'Historiography', 'Primary sources'], []]



['Wikipedia: Chiron', 'Wikipedia: United States Secretary of Agriculture', 'Wikipedia: Java Platform, Standard Edition', 'Wikipedia: TLS', 'Wikipedia: Dream', 'Wikipedia: 1250s BC', 'Wikipedia: 580s BC', 'Wikipedia: Michigan Technological University', 'Wikipedia: Prime Directive', 'Wikipedia: Commentarii de Bello Gallico', 'Wikipedia: Washington County, Maryland', 'Wikipedia: Route', 'Wikipedia: Hans Holbein the Younger', 'Wikipedia: Dopamine', 'Wikipedia: Pathology', 'Wikipedia: Diosdado Cabello', 'Wikipedia: Pope Eleutherius', 'Wikipedia: Bruce Nauman', 'Wikipedia: White Australia policy']
IOPub data rate exceeded.
The notebook server will temporarily stop sending output
to the client in order to avoid crashing it.
To change this limit, set the config variable
`--NotebookApp.iopub_data_rate_limit`.

Current values:
NotebookApp.iopub_data_rate_limit=1000000.0 (bytes/sec)
NotebookApp.rate_limit_window=3.0 (secs)



['Wikipedia: Airmed', 'Wikipedia: Jowett Cars', 'Wikipedia: Thoughtcrime', 'Wikipedia: Andrew Fleming', 'Wikipedia: 2080s', 'Wikipedia: John Kennedy (disambiguation)', 'Wikipedia: Santa Claus, Indiana', 'Wikipedia: Computer and network surveillance', 'Wikipedia: Bath County, Virginia', 'Wikipedia: Humphreys County, Tennessee', 'Wikipedia: Clark County, South Dakota', 'Wikipedia: Huntersville', 'Wikipedia: Garfield County, Nebraska', 'Wikipedia: Humphreys County, Mississippi', 'Wikipedia: Cook County, Minnesota']
[['References', 'Frequency-division multiple access', 'Time division multiple access', 'Code division multiple access and spread spectrum multiple access', 'Space-division multiple access', 'Power-division multiple access', 'Packet mode methods', 'Duplexing methods', 'Hybrid channel access scheme application examples', 'Definition within certain application areas', 'Local and metropolitan area networks', 'Early history', 'Inter-war years', 'Second World War', 'Post-war', 'Peripherals', 'See also', 'References'], ['Student years', 'Carnival Times controversy', 'The Destruction of Dresden', "1963 burglary of Irving's flat", 'Subsequent works', 'Revisionism', "Hitler's War", "Irving's work of the late 1970s and early 1980s", 'Hitler Diaries', 'Other books', 'Chief Justiciar of England', 'Regent to Henry III', 'Trouble with the King', 'Lands acquired', 'Marriages', 'Death', 'Fictional portrayals', 'References', 'Bibliography', 'Neighborhoods and attractions', 'Transportation', 'Sports', 'Businesses', 'Springfield Nuclear Power Plant', 'Kwik-E-Mart', "The Android's Dungeon & Baseball Card Shop", "Barney's Bowl-A-Rama", "Costington's", 'KBBL Broadcasting', 'Critical reception', 'Music video', 'Personnel', 'Singles and compilations', 'US "Professional Widow" single', 'UK "Hey Jupiter/Professional Widow" double A-side single', 'UK "Professional Widow (It\'s Got to Be Big)" single', 'Compilations', 'Remixes', 'Charts', 'University hospital', 'University museums', 'Organization', 'Faculties', 'Academic profile', 'Research institutes', 'Research', 'Rankings', 'Notable people', 'See also', 'Elements, special cases, and related concepts', 'Formula', 'Volume', 'Surface area', 'Examples', 'See also', 'Notes', 'Filmography', 'Films', 'Television', 'Acting', 'Awards and nominations', 'References'], ['Notable predictions and known events', 'Politicians and public servants', 'United States', 'Other countries', 'Soldiers', 'History', 'Geography', 'Adjacent counties', 'National protected area', 'Demographics', '2000 census', '2010 census', 'Communities'], ['History', 'Geography', 'State parks', 'Sites maintained by the US Forest Service', 'National protected areas', 'Communities', 'Cities', 'Census-designated place', 'Unincorporated communities', 'Politics', 'See also', 'References', 'Census-designated places', 'Other unincorporated communities', 'See also', 'References', 'Bibliography'], ['History', 'Geography', 'Adjacent counties', 'National protected areas', 'Ghost towns', 'Notable residents', 'Points of Interest', 'Politics', 'See also', 'References'], ['Education', 'Communities', 'City', 'Towns', 'Unincorporated community', 'Ghost Town', 'See also', 'References'], ['History', 'Geography', 'Adjacent counties', 'National protected area', 'Geography', 'Major highways', 'Adjacent counties', 'Protected areas', 'Lakes and reservoirs', 'County officials', 'State Senate', 'State House of Representatives', 'United States House of Representatives', 'United States Senate', 'Education', 'Higher education', 'Career-based education', 'Public school districts', 'Charter schools', 'Pre-Columbian', 'Modern', 'Geography', 'Watersheds', 'Lakes', 'Adjacent counties', 'National protected areas', 'Demographics', '2000 census', '2010 census', 'Geography', 'Adjacent counties', 'Major highways', 'Protected areas', 'Demographics', '2000 census', '2010 census', 'Government', 'Politics', 'Education', 'Later life (1994–present)', 'Professional collaborations', 'Musical projects', 'Album covers', 'Style', 'Recurring Crumb characters', 'Awards and honors', 'In the media', 'Personal life', 'Critical reception', 'Places', 'See also', 'Adjacent counties', 'Demographics', '2000 census', '2010 census', 'Politics', 'Government', 'County Commissioners', 'Other County Offices', 'Judgeships', 'Court of Appeals', 'History', 'Election controversy', 'Geography', 'Major highways', 'Adjacent counties', 'National protected area', 'Lakes===', 'Demographics', 'History', 'Geography', 'Adjacent counties', 'Major highways', 'Demographics', 'Communities', 'Cities', 'Towns', 'Census-designated place', 'Unincorporated community', 'Explanation', 'Automated design methods', 'Criticism', 'Regression testing of Web services', 'Web service change management', 'See also', 'Notes', 'References'], ['Protected areas', 'Demographics', 'Communities', 'Politics', 'References', 'Airport', 'Education', 'Demographics', 'Location', 'Transport', 'See also', 'References', 'History', 'Recent developments', 'Polygonal rifling', 'Extended range, full bore', 'Gain-twist rifling', 'Manufacture', 'Construction and operation', 'Fitting the projectile to the bore', 'Twist rate', 'Expressing twist rate', 'Geography', 'Major highways', 'Adjacent counties', 'National protected area', 'Demographics', '2000 census', '2010 census', 'Politics', 'Communities', 'Major highways', 'Demographics', 'Religion', 'Education', 'Public schools', 'Public libraries', 'Politics', 'Local', 'State', 'Federal', 'Further reading'], ['Geography', 'Further reading'], ['History']]



['Wikipedia: Alaunus', 'Wikipedia: Geoffrey Plantagenet', 'Wikipedia: Maricopa County, Arizona', 'Wikipedia: Peabody Award', 'Wikipedia: Ragana', 'Wikipedia: Alain Resnais', 'Wikipedia: Snohomish County, Washington', 'Wikipedia: Palo Pinto County, Texas', 'Wikipedia: Culberson County, Texas', 'Wikipedia: Ka-Ha-Si', 'Wikipedia: Nootaikok', 'Wikipedia: UserLand Software', 'Wikipedia: Fateh', 'Wikipedia: London Borough of Islington', 'Wikipedia: Kew', 'Wikipedia: Valley County, Montana']
[['See also', 'References'], ['Satellite communications', 'The wireless industry', 'Switching centers', 'Classifications in the literature', 'See also', 'References', 'Crisis and closure', 'Jowett 1930s gallery', 'Important models', 'Clubs', 'Famous Jowett Jupiter owners', 'See also', 'References', 'Further reading'], ['Thought control', 'Crimestop', 'See also', 'References', 'Further reading'], ['Holocaust denial', 'Movement towards Holocaust denial', 'Ernst Zündel trial', 'Holocaust denial lecture circuit', 'Racism and antisemitism', 'Persona non grata', 'Libel suit', 'Life after libel suit', 'Controversy in Norway, 2008', 'Reception by historians', 'Geography', 'Adjacent counties', 'National protected areas', 'Demographics', "King Toot's", 'The Leftorium', 'Noiseland Video Arcade', 'Sprawl-Mart', 'Springfield Mall', 'Try-N-Save', "Jake's Unisex Hairplace", 'Mapple Store', 'Shøp', 'Coolsville Comics and Toys', 'Weekly charts', 'Year-end charts', 'Certifications', 'Covers', 'See also', 'References'], ['Notes and references'], ['History', 'References'], ['People with the surname', 'References'], ['Early life', '2080', '2084', '2088', '2089', 'Fictional events', 'See also', 'Notes', 'References', 'Artists and entertainers', 'Sports people', 'Association football', 'Other football', 'Other sports', 'Others', 'Characters', 'See also', 'Towns', 'Census-designated places', 'Unincorporated communities', 'Ghost Towns', 'Government and infrastructure', 'See also', 'Notes', 'References'], ['Demographics', '2010 census', '2000 census', 'New route for US-231', 'Notable people', 'References in popular culture', 'See also', 'References'], ['Etymology', 'History', 'Geography', 'Network surveillance', 'Corporate surveillance', 'Malicious software', 'Social network analysis', 'Monitoring from a distance', 'Policeware and govware', 'Surveillance as an aid to censorship', 'Major highways', 'Demographics', 'Government', 'Board of Supervisors', 'Constitutional officers', 'Politics', 'Economy', 'Education', 'Communities', 'Census-designated places', 'History', 'Native Americans', 'County established', 'Early ranching and farming years', 'Later growth years', 'Geography', 'History', 'Native Americans', 'Explorations', 'County established and growth', 'State protected area', 'Demographics', 'Communities', 'Cities', 'Unincorporated communities', 'Politics', 'See also', 'References'], ['Demographics', '2000 census', '2010 census', 'Communities', 'Cities', 'Towns', 'Census-designated place', 'Unincorporated communities', 'Townships', 'Politics', 'Private schools', 'Recreation', 'Communities', 'Cities', 'Boroughs', 'Townships', 'Census-designated places', 'Unincorporated communities', 'Former community', 'Population ranking', 'Communities', 'Cities', 'Census-designated places', 'Unincorporated communities', 'Politics', 'Economy', 'Arts and culture', 'Museums and other points of interest', 'Media', 'Newspapers', 'Communities', 'Cities', 'Villages', 'Townships', 'Census-designated places', 'Unincorporated communities', 'See also', 'References', 'Further reading'], ['Bibliography (selection)', 'Comics', 'Collections and graphic novels', 'See also', 'References', 'Works cited', 'Further reading'], ['References', 'State Senate', 'State Representative', 'United States House of Representatives', 'United State Senators', 'Economy', 'Education', 'Communities', 'City', 'Villages', 'Townships', '2000 census', '2010 census', 'Communities', 'Cities', 'Unincorporated communities===', 'Townships', 'Former townships', 'Unorganized territories', 'Politics', 'Notable people', 'Politics, law and government', 'Education', 'Cleveland County Schools', 'Post-secondary', 'In popular culture', 'Notable people', 'See also', 'References'], ['Company history', 'Frontier', 'Early Web building applications', 'Manila', 'Geography', 'Major highways', 'Adjacent counties', 'Protected areas', 'Demographics', 'Communities', 'Politics', 'See also', 'See also', 'Twist rate and bullet stability', 'Bullet spin', 'See also', 'References'], ['Calculators for stability and twist', 'Cities', 'Census-designated place', 'Unincorporated communities', 'See also', 'References', 'Political culture', 'Missouri presidential preference primaries', '2012', '2008', 'Communities', 'Cities', 'Villages', 'Miscellaneous', 'See also', 'References', 'Major highways', 'Adjacent counties', 'National protected area', 'Demographics', 'Politics', 'Media', 'Communities', 'City', 'Towns', 'Unincorporated communities', 'Geography', 'Major highways', 'Adjacent counties', 'Protected areas===', 'Climate', 'Demographics', '2000 census', 'Communities', 'City', 'Census-designated place']]



['Wikipedia: Albiorix', 'Wikipedia: Omar Torrijos', 'Wikipedia: Gunnar Hámundarson', 'Wikipedia: Savoie', 'Wikipedia: Montgomery College', 'Wikipedia: Saule', 'Wikipedia: Ring Nebula', 'Wikipedia: Robin', 'Wikipedia: Goshen County, Wyoming', 'Wikipedia: Preston County, West Virginia', 'Wikipedia: Richmond County, Virginia', 'Wikipedia: Augusta County, Virginia', 'Wikipedia: Houston County, Tennessee', 'Wikipedia: Charles Mix County, South Dakota', 'Wikipedia: McKean County, Pennsylvania', 'Wikipedia: Warren County, Ohio', 'Wikipedia: Proton pump', 'Wikipedia: Keelut', 'Wikipedia: The Color of Truth', 'Wikipedia: Foster County, North Dakota', 'Wikipedia: Akna (Inuit mythology)', 'Wikipedia: Garden County, Nebraska', 'Wikipedia: Gasconade County, Missouri', 'Wikipedia: Holmes County, Mississippi']
[['All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages with short descriptions', 'Human name disambiguation pages', 'Short description is different from Wikidata', 'Background', 'Career', 'Panama Canal', 'Political transition', 'Lineage and family', 'Gunnar the hero', "Gunnar's death", 'Gunnar as a literary character', 'See also', 'References', 'Personal life', 'In popular culture', 'Works', 'See also', 'References'], ['2000 census', '2010 census', 'Religion', 'Government, policing, and politics', 'Government', 'Maricopa County sheriff', 'Politics', 'Elected officials', 'United States Congress', 'Board of Supervisors', "Herman's Military Antiques", "I Can't Believe It's A Law Firm!", "Phineas Q. Butterfat's 5600 Flavors Ice Cream Parlor", 'Hairy Shearers', '1987 Calendars!!!', 'Bars and restaurants', 'The Gilded Truffle', "Moe's Tavern", 'Krusty Burger', 'Lard Lad Donuts', 'History', 'Campuses', 'Takoma Park / Silver Spring', 'Rockville', 'Germantown', 'Libraries', 'Peabody judging', 'Key people', 'Award announcements and ceremonies', 'Peabody Awards Archive', 'See also', 'References'], ['Places', 'Persons', 'Others', 'Career', '1946–1958: short films', '1959–1968', '1969–1980', '1981–2014', 'Reputation', 'Personal life', 'Awards', 'Filmography, as director', 'Feature films', 'History', 'Observation', 'Properties', 'Nebula structure', 'Planetary nebula nucleus (PNN)', 'Animals', 'Arts, entertainment, and media', 'Fictional characters', 'Other uses in arts, entertainment, and media', 'Military', 'History', 'Geography', 'Adjacent counties', 'National protected area', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', '2010 census', '2000 census', 'Law and government', 'County Executive', 'County Council', 'Politics', 'Education', 'Media', 'Transportation', 'See also', 'References'], ['Other unincorporated communities', 'Notable people', 'See also', 'References'], ['Features', 'Major highways', 'Adjacent counties', 'Demographics', 'Communities', 'Cities', 'Census-designated place', 'Other unincorporated communities', 'Notable people', 'Politics', 'Space exploration', 'Geography', 'Major highways', 'Adjacent counties', 'National protected areas', 'Demographics', 'Communities', 'Town', 'Unincorporated communities', 'Ghost town', 'Geography', 'Adjacent counties', 'Major highways', 'Demographics', 'See also', 'References', 'Geography', 'See also', 'References'], ['Infrastructure', 'Major highways', 'Passenger and freight railways', 'See also', 'Notes'], ['References', 'Geography', 'Adjacent counties', 'Boundaries', 'Function', 'Diversity', 'Electron transport driven proton pumps', 'Electron Transport Complex I', 'Electron Transport Complex III', 'References', 'Census-designated places', 'Unincorporated communities', 'Notable residents', 'See also', 'References'], ['See also', 'Gallery', 'References'], ['References', 'Radio UserLand', 'XML-based protocols and formats', 'XML-RPC', 'SOAP', 'RSS', 'OPML', 'References'], ['References', 'History', 'Geography', 'Etymology', 'Districts of Islington', 'Wards', 'Government and infrastructure', 'Economy', 'Major public and private bodies in Islington', 'Prisons', 'Transportation', 'Etymology', 'Governance', 'Economy', 'Chrysler and Dodge', 'People', 'Royal associations with Kew', 'The Tudors and Stuarts', 'Geography', 'Major highways', 'Adjacent counties and rural municipalities', 'National protected area', 'Economy', 'Demographics', '2000 census', '2010 census'], ['Etymology', 'Geography', 'See also', 'References', 'History', 'Unincorporated communities===', 'Townships', 'Unorganized territories', 'Ghost towns', 'Government and Politics', 'See also', 'References'], []]



['Wikipedia: Caturix', 'Wikipedia: Paul Henderson', 'Wikipedia: Ingsoc', 'Wikipedia: Mylodon', "Wikipedia: Arrow's impossibility theorem", 'Wikipedia: Thai baht', 'Wikipedia: House of Leaves', 'Wikipedia: Creuse', 'Wikipedia: Oldham County, Texas', 'Wikipedia: Crosby County, Texas', 'Wikipedia: Klamath County, Oregon', 'Wikipedia: Adlivun', 'Wikipedia: Jefferson County, Ohio', 'Wikipedia: Chowan County, North Carolina', 'Wikipedia: Crunchy Frog', 'Wikipedia: Clearwater County, Minnesota']
[['References', 'Early life', 'Playing career', 'Junior', 'Detroit and Toronto', 'Summit Series', 'Personal life', 'Death', 'Speculations on cause of crash', 'See also', 'References', 'Further reading'], [], ['Origins', 'Political philosophy', 'History', 'Geography', 'Economy', 'Agriculture', 'Demographics', 'Religion', 'Politics', 'Elected county officials', 'Education', 'Transportation', 'Major highways', 'Air', 'Rail', 'Communities', 'Cities', 'Towns', 'Ghost towns', "Luigi's", 'The Frying Dutchman', 'The Singing Sirloin', 'The Happy Sumo', 'The Java Server', 'Pimento Grove', 'Schools', 'Springfield Elementary School', 'West Springfield Elementary School', 'Springfield Preparatory School', 'Organization and administration', 'Presidents', 'Academics', 'Honors programs', 'Other programs and services', 'Student life', 'Athletics', 'National championships', 'Notable people', 'References', 'Taxonomy', 'Description', 'Paleobiology', 'Discovery', 'References', 'See also', 'Statement', 'Independence of irrelevant alternatives (IIA)', 'Short films etc.', 'References'], ['Gallery', 'See also', 'Notes', 'References'], ['People', 'Transportation', 'Other uses', 'See also', 'Climate', 'Demographics', '2000 census', '2010 census', 'Communities', 'City', 'Towns', 'Census-designated places', 'Unincorporated communities', 'Government and infrastructure', 'National protected area', 'State parks', 'Demographics', '2010 census', 'Politics', 'Communities', 'City', 'Towns', 'Magisterial districts', 'Current', 'Roads', 'Public transportation', 'Airports', 'Ferries', 'Communities', 'Cities', 'Towns', 'Census-designated places', 'Unincorporated communities', 'See also', 'Geography', 'Adjacent counties', 'National protected area', 'Major highways', 'Demographics', 'Communities', 'Town', 'Unincorporated communities', 'Politics', 'See also', 'History', 'Geography', 'Adjacent counties and independent cities', 'Districts', 'School systems', 'National protected areas', 'Regional park', 'Major highways', 'See also', 'References'], ['Politics', 'See also', 'References'], ['Government', 'Elected officials', 'Commissioners', 'Politics', 'Education', 'Public high schools', 'Public primary/middle schools', 'Media', 'Communities', 'City', 'Major highways', 'Adjacent counties', 'Protected areas', 'Major lakes', 'Demographics', '2000 census', '2010 census', 'Communities', 'Reservation', 'Cities', 'Geography', 'Adjacent counties', 'Major highways', 'National protected area', 'Demographics', 'Micropolitan Statistical Area', 'Law and government', 'State Senate===', 'State House of Representatives===', 'United States House of Representatives', 'History', 'Geography', 'Adjacent counties', 'National protected areas', 'Demographics', '2000 census', 'Lakes and rivers', 'Demographics', '2000 census', '2010 census', 'Government and infrastructure', 'Hospitals', 'Post offices', 'Telephone service', 'Politics', 'Education', 'The cytochrome b6f complex', 'Electron Transport Complex IV', 'ATP driven proton pumps', 'P-type proton ATPase', 'V-type proton ATPase', 'F-type proton ATPase', 'Pyrophosphate driven proton pumps', 'Light driven proton pumps', 'See also', 'References', 'References', 'Notes', 'References', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'National protected area', 'Lakes===', 'Demographics', '2000 census', '2010 census', 'History', 'Geography', 'Adjacent counties', 'Major highways', 'Demographics', 'Law and government', 'The sketch', 'Stage and film', 'Other appearances', 'References', 'Major highways', 'Adjacent counties', 'Protected areas', 'Demographics', 'Politics', 'Communities', 'City', 'Village', 'Census-designated place', 'Other unincorporated places', 'London Underground', 'London Overground stations', 'Railway stations', 'Travel to work', 'Cultural attractions and institutions in Islington', 'Demographics', 'Ethnicity', 'Education', 'Universities', 'Further Education', 'The Hanoverians', 'Georgian expansion', 'Artists associated with Kew', 'Other notable inhabitants', 'Historical figures', 'Living people', 'Demography', 'Homes and households', 'Ethnicity', 'Transport', 'Politics', 'Communities', 'City', 'Towns', 'Census-designated places', 'Unincorporated communities', 'Ghost towns', 'Census Maps', 'See also', 'References', 'Adjacent counties', 'Major highways', 'Demographics', 'Politics', 'Local', 'State', 'Federal', 'Political culture', 'Missouri presidential preference primary (2008)', 'Education', 'Geography', 'Major highways', 'Adjacent counties', 'National protected areas', 'Demographics', 'Politics', 'Education', 'Media', 'Communities', 'Cities', 'Geography', 'Major highways', 'Adjacent counties', 'Protected areas===', 'Climate and weather']]



['Wikipedia: Alisanos', 'Wikipedia: Amaethon', 'Wikipedia: Cigfa', 'Wikipedia: Khālid ibn ʿAbd al‐Malik al‐Marwarrūdhī', 'Wikipedia: Whole note', 'Wikipedia: Dory', 'Wikipedia: Skagit County, Washington', 'Wikipedia: Rappahannock County, Virginia', 'Wikipedia: Caen', 'Wikipedia: Tarqiup Inua', 'Wikipedia: Cherokee County, North Carolina', 'Wikipedia: RSS (disambiguation)', 'Wikipedia: Gage County, Nebraska', 'Wikipedia: Treasure County, Montana']
[['References', 'World Hockey Association', 'Atlanta Flames', 'Legacy', 'Personal life', 'Career statistics', 'Regular season and playoffs', 'International', 'References', 'Citations', 'Sources', 'Role in Welsh tradition', 'References', "Ingsoc's social class system", 'Upper class (Inner Party)', 'Middle class (Outer Party)', 'Working class (Proles)', 'Other political ideologies in Nineteen Eighty-Four', 'See also', 'References'], ['Departmental Council of Savoie', 'Members of the National Assembly', 'Senators', 'Tourism', 'See also', 'Language', 'Places', 'Wine', 'References'], ['Census-designated places', 'Unincorporated communities', 'Native American communities', 'County population ranking', 'Climate', 'See also', 'References', 'Further reading'], ['Colleges/universities', 'Springfield High School', 'Landmarks', 'Krustylu Studios', 'Sleep Eazy Motel', 'Springfield Retirement Castle', 'The Springfield City Hall', 'Springfield Courthouse', 'Five Corners', 'Krustyland', 'Description', 'History', 'Nomenclature', 'Definition', 'History', 'Traditional types', 'Beach dories', 'Formal statement of the theorem', 'Informal proof', 'Part one: There is a "pivotal" voter for B over A', 'Part two: The pivotal voter for B over A is a dictator for B over C', 'Part three: There exists a dictator', 'Interpretations', 'Remark: Scalar rankings from a vector of attributes and the IIA property', 'Other possibilities', 'Approaches investigating functions of preference profiles', 'Infinitely many individuals', 'History', 'Coins', 'Remarks', 'Banknotes', 'Money and unit of mass', 'Exchange rates', 'See also', 'References'], ['Plot summary', 'The Navidson Record', "Johnny's story", 'The Whalestoe Letters', 'Characters', 'Johnny Truant', 'Zampanò', 'Pelafina H. Lièvre', 'History', 'Geography', 'Demographics', 'Politics', 'Current National Assembly Representative', 'Culture', 'Language', 'Cuisine', 'Notable people', 'Transportation', 'Highways', 'U.S. Highways', 'State Routes', 'Airport', 'See also'], ['References', 'Historic', 'Census-designated place', 'Unincorporated communities', 'See also', 'References', 'Further reading'], ['References', 'Further reading'], ['Archives', 'References'], ['History', 'Demographics', 'Area Populations', 'Government', 'Board of Supervisors', 'Constitutional Officers', 'Economy', 'Communities', 'Towns', 'Census-designated places', 'Other unincorporated communities', 'History', 'Geography', 'Border Dispute with New Mexico', 'Major highways', 'Adjacent counties', 'Demographics', 'Communities', 'Cities', 'Census-designated place', 'Unincorporated community', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'Geographic features', 'Demographics', 'Communities', 'Cities', 'Unincorporated communities', 'Town', 'Unincorporated communities', 'See also', 'Further reading', 'Notes', 'References'], ['Towns', 'Census-designated place', 'Townships', 'Unorganized territory', 'Notable residents', 'Politics', 'See also', 'References'], ['United States Senate', 'Education', 'Public school districts', 'Private schools', 'Libraries', 'Other education entities', 'Recreation', 'Communities', 'City', 'Boroughs', '2010 census', 'Communities', 'Cities', 'Census-designated places', 'Other unincorporated communities', 'Government', 'Politics', 'Economy', 'Education', 'Colleges and universities', 'Public school districts', 'Private schools', 'Virtual schools', 'Vocational schools', 'Colleges and universities', 'Libraries', 'Transportation', 'Highways', 'Airports', 'Rail and Bus'], ['Symbols', 'Heraldry', 'References', 'Bibliography', 'Mythology', 'History', 'Geography', 'Adjacent counties', 'Major highways', 'Demographics', '2000 census', '2010 census', 'Politics', 'Government', 'Communities', 'Cities', 'Unincorporated communities', 'Townships', 'Politics', 'See also', 'References'], ['Communities', 'See also', 'References', 'Organizations', 'Cultural', 'Education', 'Other organizations', 'See also', 'References', 'Geography', 'Schools', 'Freedom of the Borough', 'Individuals', 'Military Units', 'See also', 'References'], ['Parks and open spaces', 'Sport and leisure', 'Societies', 'Education', 'Primary schools', 'Independent preparatory schools', 'Places of worship', 'Cemeteries and crematorium', 'Literary references to Kew', 'See also'], ['Geography', 'Major highways', 'Public schools', 'Private schools', 'Public libraries', 'Communities', 'See also', 'References'], ['Towns', 'Unincorporated communities', 'Notable people', 'In popular culture', 'See also', 'References', 'Further reading'], ['Demographics', '2000 census', 'Communities', 'Cities', 'Census-designated places', 'Unincorporated communities===', 'Townships', 'Unorganized territories', 'Government and politics', 'See also']]



['Wikipedia: Interstate 10', 'Wikipedia: Robor', 'Wikipedia: Regin', 'Wikipedia: Fennesz', 'Wikipedia: Terminator (solar)', 'Wikipedia: Textile arts', 'Wikipedia: Steve Caton', 'Wikipedia: Primitive Lyrics', 'Wikipedia: Suppletion', 'Wikipedia: Fremont County, Wyoming', 'Wikipedia: Pocahontas County, West Virginia', 'Wikipedia: Arlington County, Virginia', 'Wikipedia: Crockett County, Texas', 'Wikipedia: Hickman County, Tennessee', 'Wikipedia: Campbell County, South Dakota', 'Wikipedia: Josephine County, Oregon', 'Wikipedia: Nujalik', 'Wikipedia: Emmons County, North Dakota', 'Wikipedia: Le Fleix', 'Wikipedia: Blackheath, London', 'Wikipedia: Kidbrooke', 'Wikipedia: Franklin County, Missouri', 'Wikipedia: Hinds County, Mississippi', 'Wikipedia: Chisago County, Minnesota']
[['Sources', 'Etymology', 'Notes', 'Bibliography'], [], ['Route description', 'California', 'References', 'Reginn the Dvergr', 'Modern influence', 'Notes', 'References', 'Biography', 'Recording techniques', 'Discography', "Earth's terminator", 'Surface transit speed', 'Grey-line radio propagation', 'Gallery', 'Itchy & Scratchy Land', 'References'], ['See also', 'References', 'References', 'Banks dories', 'Sailing dories', 'River dories', 'Motor dories', 'Other dories, and related types', 'Modern interpretations', 'Notes', 'References', 'Further reading'], ['Limiting the number of alternatives', 'Pairwise voting', 'Domain restrictions', 'Relaxing transitivity', 'Relaxing IIA', 'Relaxing the Pareto criterion', 'Remark', 'Social choice instead of social preference', 'Rated electoral system and other approaches', 'See also', 'Members', 'Discography', 'References'], ["Minor characters in Johnny's story", 'Will Navidson', 'Karen Green', 'Tom Navidson', 'Billy Reston', 'Holloway Roberts', 'Minor characters in The Navidson Record', 'Format', 'Colors', 'Font changes', 'Tourism', 'Gallery', 'See also', 'References'], ['History', 'Geography', 'Adjacent counties', 'National protected areas', 'Demographics', 'History', 'Geography', 'Birthplace of rivers', 'Major highways', 'National protected areas', 'Demographics', 'Geography', 'Geographic features', 'Adjacent counties', 'National protected areas', 'Demographics', '2000 census', '2010 census', 'Government', 'Politics', 'Geography', 'Adjacent counties', 'National protected area', 'Mountains', 'Major highways', 'Demographics', 'Government', 'Board Of Supervisors', 'Politics', 'Education', 'Notable people', 'See also', 'References', 'Further reading'], ['Ghost towns', 'Notable people', 'Gallery', 'Politics', 'See also', 'References'], ['Ghost towns', 'Gallery', 'Politics', 'See also', 'References'], ['History', 'Geography', 'Adjacent counties', 'National protected area', 'State protected areas', 'Demographics', 'History', 'Geography', 'Major Highways', 'Adjacent Counties', 'Townships', 'Census-designated places', 'Unincorporated communities', 'Population ranking', 'See also', 'References'], ['See also', 'References'], ['Waterways', 'Media', 'Recreation and attractions', 'Communities', 'Cities', 'Villages', 'Townships', 'Census-designated places', 'Unincorporated communities', 'Notable natives and residents', 'Motto', 'Code', 'History', 'Early history', "Hundred Years' War", 'Second World War', 'Post-war', 'Images', 'Etymology', 'Geography', 'See also', 'All articles lacking sources', 'All stub articles', 'Transportation', 'Education', 'Colleges and universities', 'Community, junior, and technical colleges', 'Public school districts', 'High schools', 'Communities', 'Cities', 'Villages', 'Townships', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'Protected areas===', 'History', 'Geography', 'Indian reservation', 'National protected area', 'Adjacent counties', 'Major highways', 'Demographics', 'Communities', 'Towns', 'Census-designated place', 'Mathematics', 'Science and technology', 'Biology and medicine', 'Computing and telecommunications', 'Other uses', 'Major highways', 'Adjacent counties', 'Protected areas', 'Demographics', 'Communities', 'Cities', 'Villages', 'Census-designated place', 'Unincorporated communities', 'Townships', 'History', 'Etymology', 'Archaeology', 'Royal setting', 'Meeting point', 'Mineral extraction', 'Notes', 'References', 'Sources', 'Further reading'], ['Adjacent counties', 'Demographics', '2000 census', '2010 census', 'Politics', 'Communities', 'Town', 'Unincorporated communities', 'Ghost town', 'See also', 'History', 'Geography', 'Adjacent counties', 'Major highways', 'Demographics', 'Economy', 'Geography', 'Adjacent counties', 'National protected area', 'Transportation', 'Major highways', 'References'], ['History']]



['Wikipedia: Danu (Irish goddess)', 'Wikipedia: Ali ibn Isa al-Asturlabi', 'Wikipedia: Hreiðmarr', 'Wikipedia: Thomas B. Costain', 'Wikipedia: Mohave County, Arizona', 'Wikipedia: Y Kant Tori Read', 'Wikipedia: Kea', 'Wikipedia: Veli', 'Wikipedia: Tarn-et-Garonne', 'Wikipedia: The Whalestoe Letters', 'Wikipedia: Ochiltree County, Texas', 'Wikipedia: Lycoming County, Pennsylvania', 'Wikipedia: Vinton County, Ohio', 'Wikipedia: Tootega', 'Wikipedia: Furnas County, Nebraska', 'Wikipedia: Toole County, Montana']
[['Name', 'In mythology', 'References'], ['See also', 'Arizona', 'New Mexico', 'Texas', 'Louisiana', 'Mississippi', 'Alabama', 'Florida', 'History', 'Junction list', 'Auxiliary routes', 'See more', 'Connected pages'], ['References', 'See also', 'References', 'Other sources'], ['See also', 'References'], ['Lunar terminator', 'Lunar terminator illusion', 'Scientific significance', 'See also', 'References'], ['Concepts', 'Functions', 'Textiles as art', 'History of plant use in textile arts', 'Flax', 'Cotton', 'Plant fiber identification in ancient textiles', 'Future of plants in textile art', 'List of contemporary textile artists', 'Gallery'], ['Discography', 'Album', 'Taxonomy and naming', 'Description', 'Distribution and habitat', 'Notes', 'References'], ['History', 'History of the region', 'History of the department', 'Companion works', 'Reception', 'References', 'Citations', 'Further reading'], ['Irregularity and suppletion', 'Example words', 'To go', 'Good and bad', 'Great and small', 'Examples in languages', 'Albanian', 'Ancient Greek', '2000 census', '2010 census', 'Government and infrastructure', 'Communities', 'Cities', 'Towns', 'Census-designated places', 'Unincorporated communities', 'Former communities', 'See also', '2000 census', '2010 census', 'Politics', 'Economy', 'Tourism', 'Communities', 'Towns', 'Magisterial districts', 'Census-designated places', 'Unincorporated communities', 'County conservation efforts', 'Transportation', 'Major highways', 'Communities', 'Cities', 'Towns', 'Census-designated places', 'Unincorporated communities', 'Reservations', 'Ghost Towns', 'Communities', 'Town', 'Census-designated places', 'Other unincorporated communities', 'See also', 'References'], ['History', 'Colonial Virginia', 'Alexandria County, District of Columbia (D.C.)', 'Retrocession', 'Civil War', 'Separation from Alexandria', '20th century', '21st century', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Politics', 'Education', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Communities', 'Census-designated place', 'Communities', 'Town', 'Census-designated places', 'Unincorporated communities', 'Politics', 'See also', 'References'], ['Protected areas', 'Lakes', 'Demographics', '2000 census', '2010 census', 'Religion', 'Communities', 'City', 'Towns', 'Unincorporated communities', 'History', 'Formation of the county', 'County "firsts"', 'Geography', 'Appalachian Mountains and Allegheny Plateau', 'West Branch Susquehanna River', 'History', 'Ethnic history', 'Geography', 'Adjacent counties', 'National protected areas', 'Demographics', '2000 census', '2010 census', 'Communities', 'Cities', 'See also', 'Historical articles about Warren County', 'State facilities in Warren County', 'References', 'Further reading'], ['Climate', 'Main sights', 'Castle', 'Abbeys', 'Others', 'Administration', 'Transport', 'Education', 'Economy', 'Music and theatre', 'Articles lacking sources from December 2009', 'Articles with short description', 'Hunting goddesses', 'Inuit goddesses', 'North American mythology stubs', 'Short description matches Wikidata', 'Census-designated places', 'Unincorporated communities', 'Historical community', 'Population ranking', 'See also', 'References'], ['Lakes===', 'Demographics', '2000 census', '2010 census', 'Communities', 'Cities', 'Unincorporated communities===', 'Township', 'Defunct townships', 'Politics', 'Unincorporated communities', 'Townships', 'Government, public safety, and politics', 'Government', 'Public safety', 'Sheriff and police', 'Fire and EMS', 'Politics', 'See also', 'References', 'History', 'Population', 'Economy', 'Notable people', 'See also', 'References', 'Politics', 'See also', 'References'], ['Vanbrugh Park', 'Blackheath Park', 'Other churches', 'Ownership and management of the heath', 'Sport', 'Geography', 'Culture and community', 'Transport', 'Rail', 'Buses', 'Housing', 'Features', 'Transport', 'Rail', 'Roads', 'Buses', 'Education', 'Primary schools', 'References', 'Geography', 'Major highways', 'Education', 'Public schools', 'Private schools', 'Alternative schools', 'Colleges/universities', 'Public libraries', 'Crime', 'Politics', 'Local', 'State', 'Airports', 'Demographics', 'Government', 'Education', 'Public school districts', 'Private schools', 'Colleges and universities', 'Communities', 'Cities', 'Towns', 'Geography', 'Major highways', 'Adjacent counties', 'Protected areas===', 'Climate and weather', 'Demographics', '2010 census', '2000 census', 'Education', 'Communities']]



['Wikipedia: Beli (jötunn)', 'Wikipedia: Rosamund Clifford', 'Wikipedia: Interstate 16', 'Wikipedia: Fafnir', 'Wikipedia: McCracken County, Kentucky', 'Wikipedia: Sandra Bernhard', 'Wikipedia: Jod', 'Wikipedia: Angry Johnny', 'Wikipedia: Stockholm syndrome', 'Wikipedia: Pleasants County, West Virginia', 'Wikipedia: San Juan County, Washington', 'Wikipedia: Radford, Virginia', 'Wikipedia: Crane County, Texas', 'Wikipedia: Henry County, Tennessee', 'Wikipedia: Butte County, South Dakota', 'Wikipedia: Pukkeenegak', 'Wikipedia: Jackson County, Ohio', 'Wikipedia: Eddy County, North Dakota', 'Wikipedia: Chatham County, North Carolina', 'Wikipedia: RSS', 'Wikipedia: Blackheath', 'Wikipedia: Royal Borough of Kensington and Chelsea', 'Wikipedia: Harrison County, Mississippi']
[['Name', 'Attestations', 'Eddas', 'Viking Age', 'See also', 'References'], ['See also', 'Notes', 'References', 'Narrative', 'In Wagner', 'As inspiration for Tolkien', 'Life', 'Awards and honours', 'Influence', 'Publications', 'Novels', 'Non-fiction', 'Other works', 'Films from his works', 'See also', 'References', 'History', 'Geography', 'Adjacent counties', 'National protected areas', 'Demographics', '2000 census', '2010 census', 'See also', 'Notes', 'References', 'Further reading'], ['Re-release', 'Singles', 'References', 'Behaviour', 'Breeding', 'Diet and feeding', 'Sheep', 'Relationship with humans', 'Cultural references', 'Threats', 'Conservation', 'References'], ['Given name', 'Surname', 'Mythologic people', 'Places', 'See also', 'Geography', 'Economy', 'Politics', 'Departmental Council of Tarn-et-Garonne', 'Members of the National Assembly', 'Tourism', 'References', 'See also'], ['Plot introduction'], ['Bulgarian', 'English', 'Gaelic', 'Irish', 'Latin', 'Polish', 'Romanian', 'Russian', 'Generalizations', 'Semantic relations', 'References', 'History', 'Stockholm bank robbery', 'Notable people', 'In popular culture', 'See also', 'References'], ['See also', 'Footnotes', 'Further reading'], ['City Council', 'History', 'Glencoe Museum', 'Local attractions', 'Bissett Park', 'Wildwood Park', 'Geography', 'Climate', 'Demographics', 'Government and politics', 'Local government', 'Incorporation', 'State and federal elections', 'Economy', 'Federal government', 'Companies and organizations', 'Communities', 'City', 'Town', 'Unincorporated communities', 'In popular culture', 'See also', 'References'], ['Ghost Town', 'Politics', 'See also', 'References'], ['Geography', 'Adjacent counties', 'National protected area', 'State protected areas', 'Demographics', 'Politics', 'See also', 'References', 'Major creeks and watersheds', 'Adjacent counties', 'Demographics', 'Law and government', 'County Commissioners', 'Law enforcement agencies', 'Fire departments', 'Pennsylvania House of Representatives', 'Pennsylvania State Senate', 'United States House of Representatives', 'Census-designated places', 'Unincorporated communities', 'Economy', 'Transportation', 'Politics', 'Libraries', 'See also', 'References'], ['Geography', 'Waterways', 'Adjacent counties', 'Demographics', '2000 census', '2010 census', 'Politics', 'Notable Caennais', 'International relations', 'Twin towns – sister cities', 'Sport', 'See also', 'References', 'Bibliography'], ['References', 'Geography', 'Adjacent counties', 'National protected areas', 'Demographics', '2000 census', '2010 census', 'See also', 'References'], [], ['History', 'Coal mining', 'History', 'Example', 'Variants', 'Modules', 'Interoperability', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Communities', 'Politics', 'See also', 'References'], ['See also', 'References'], ['Secondary schools', 'Notable inhabitants', 'See also', 'Nearby areas', 'References'], ['Adjacent counties', 'Demographics', '2000 census', '2010 census', 'Politics', 'Communities', 'City', 'Towns', 'Census-designated place', 'Unincorporated communities', 'Federal', 'Political culture', '2016 Missouri Presidential primary', '2012 Missouri Presidential primary', '2008 Missouri Presidential primary', 'Communities', 'Cities', 'Villages', 'Census-designated places', 'Unincorporated communities', 'Unincorporated communities', 'Notable people', 'See also', 'References'], ['Cities', 'Unincorporated communities', 'Townships', 'Arts and culture', 'Government and politics', 'See also', 'References'], []]



['Wikipedia: Burying beetle', 'Wikipedia: Heaviside step function', 'Wikipedia: Miranda', 'Wikipedia: Kakapo', 'Wikipedia: Ann Macbeth', 'Wikipedia: Corn Laws', 'Wikipedia: Nueces County, Texas', 'Wikipedia: Jefferson County, Oregon', 'Wikipedia: Superoxide', 'Wikipedia: Frontier County, Nebraska', 'Wikipedia: Bloomsbury', 'Wikipedia: Teton County, Montana', 'Wikipedia: Dunklin County, Missouri', 'Wikipedia: Djunkgao']
[['Theories', 'References', 'Bibliography', 'Life', 'Legend', 'Possible children', 'Other stories', 'Death and aftermath', 'Fiction', 'See also', 'Notes', 'Sources'], ['Route description', 'Bibb County', 'Twiggs, Bleckley, and Laurens counties', 'Treutlen County', 'Emanuel County', 'Candler County', 'Bulloch County', 'Bryan, Effingham, and Chatham counties', 'Notes', 'References', 'Discrete form'], ['Law', 'Places', 'Politics, government, and infrastructure', 'Education', 'Unified school districts', 'High school districts', 'Elementary school districts', 'Colleges', 'Public libraries', 'Transportation', 'Major highways', 'Airports', 'History', 'Law and government', 'Geography', 'Adjacent counties', 'National protected area', 'Demographics', 'Education', 'Communities', 'Early life', 'Career', 'Personal life', 'Music', 'Albums', 'Singles', 'Compilations', 'Books', 'Filmography', 'Film', 'Taxonomy, systematics and naming', 'Description', 'Internal anatomy', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Place name disambiguation pages', 'Short description is different from Wikidata', 'Early life', 'Teaching', "Women's suffrage activism", 'Artistic output', 'Australian CD single track listing', 'Personnel', 'Charts', 'References'], ['Weak suppletion', 'See also', 'References'], ['Other examples', 'Mary McElroy', 'Natascha Kampusch', 'Patty Hearst', 'Colleen Stan', 'Sexual abuse victims', 'Lima syndrome', 'Symptoms and behaviors', 'Physical and psychological effects', 'Fairbairn’s Object Relations Theory of Attachment to the Abuser', 'Geography', 'Major highways', 'Adjacent counties', 'National protected area', 'Demographics', '2000 census', '2010 census', 'Education', 'History', 'Geography', 'Geographic features', 'Major islands', 'Adjacent counties', 'National protected areas', 'Demographics', '2000 census', '2010 census', 'Geography', 'Weather and climate history', 'Adjacent counties', 'Demographics', 'Local sports accomplishments', 'Climate', 'Notable people', 'Politics', 'See also', 'References', 'Largest employers', 'Entrepreneurship', 'Landmarks', 'Arlington National Cemetery', 'The Pentagon', 'Transportation', 'Streets and roads', 'Public transport', 'Other', 'Education', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Communities', 'History', 'Native Americans', 'County establishment and growth', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Economy', 'Media', 'Radio stations', 'Communities', 'Cities', 'Towns', 'Unincorporated communities', 'Politics', 'See also', 'References'], ['History', 'Prehistory', 'Geography', 'Major highways', 'Adjacent counties', 'Protected areas', 'Demographics', '2000 census', '2010 census', 'Communities', 'United States Senate', 'Education', 'Colleges', 'Public school districts', 'Other public entities', 'Non public entities', 'Libraries', 'Transportation', 'Major freeways', 'Airports', 'History', 'Geography', 'Adjacent counties', 'National protected areas', 'Government and infrastructure', 'Emergency services', 'Post Offices', 'Utilities', 'Phone, Internet and cable', 'Gas and electricity', 'Water and garbage disposal', 'Education', 'Transportation', 'Highways', 'Salts', 'Biology', 'Assay in biological systems', 'Bonding and structure', 'See also', 'All articles lacking sources', 'All stub articles', 'Articles lacking sources from December 2009', 'Articles with short description', 'Childhood goddesses', 'Inuit goddesses', 'North American mythology stubs', 'Short description matches Wikidata', 'Politics', 'Government', 'Communities', 'Cities', 'Villages', 'Townships', 'Unincorporated communities', 'See also', 'References'], ['History', 'Geography', 'Adjacent counties', 'Major highways', 'County Roads', 'National protected area', 'Demographics', '2000 census', '2010 census', 'Communities', 'Agriculture and industry', 'Representation in other media', 'Geography', 'Adjacent counties', 'Demographics', 'Communities', 'Towns', 'Townships', 'Census-designated places', 'Unincorporated communities', 'Podcasting and RSS', 'BitTorrent and RSS', 'RSS to email', 'RSS compared with Atom', 'Current usage', 'See also', 'Notes', 'References'], ['History', 'Geography', 'Major highways', 'Places', 'England', 'Other places', 'Education', 'Other uses', 'History', 'Districts', 'Demographics', 'Ethnicity', 'Politics', 'Public transport', 'Underground', 'Notable people', 'See also', 'References'], ['See also', 'References', 'Further reading'], ['Geography', 'Wildlife', 'Major highways', 'Adjacent counties', 'National protected areas', 'Demographics', 'Corrections system', 'Communities', 'All articles lacking sources', 'All stub articles', 'Articles lacking sources from December 2009', 'Australian mythology stubs', 'Legendary Australian people']]



['Wikipedia: Gwydion', 'Wikipedia: Tommy Burns (Canadian boxer)', "Wikipedia: China O'Brien", 'Wikipedia: Philippe de Commines', 'Wikipedia: British Invasion', 'Wikipedia: Borders Group', 'Wikipedia: Pulaski County, Virginia', 'Wikipedia: Appomattox County, Virginia', 'Wikipedia: Henderson County, Tennessee', 'Wikipedia: Schleswig-Flensburg', 'Wikipedia: Kigatilik', 'Wikipedia: Huron County, Ohio', 'Wikipedia: Distributed Component Object Model', 'Wikipedia: Chippewa County, Minnesota']
[['Reproduction', 'Species', 'Fossils', 'References'], ['Early life', 'Boxing career', 'Life after boxing', 'Miscellaneous notes', 'History', 'Future', 'I-95 interchange', 'I-75 interchange', 'Effect of construction on Port of Savannah traffic', 'Exit list', 'Auxiliary routes', 'Spur route', 'Interstate 516', 'Analytic approximations', 'Integral representations', 'Zero argument', 'Antiderivative and derivative', 'Fourier transform', 'Unilateral Laplace transform', 'Hyperfunction representation', 'See also', 'References'], ['Australia', 'Portugal', 'Spain', 'United States', 'Venezuela', 'Other places', 'Solar system', 'Arts and entertainment', 'Films and television', 'Literature', 'Communities', 'Cities', 'Towns', 'Census designated places', 'Unincorporated communities', 'Ghost towns', 'Indian communities', 'County population ranking', 'See also', 'Notes', 'City', 'Census-designated places', 'Unincorporated communities', 'Politics', 'See also', 'References'], ['Television', 'Short subjects', 'Awards', 'See also', 'References'], ['Genetics', 'Habitat', 'Ecology and behaviour', 'Breeding', 'Feeding', 'Conservation', 'Human impact', 'Early protection efforts', '1950–1989 conservation efforts', 'Kakapo Recovery programme', 'Biography', 'Early life', 'Burgundy', 'Service of Louis XI', 'Mémoires', 'Publicly accessible works', 'Publications', 'References', 'History', 'Kmart and Waldenbooks', 'International expansion', 'Franchise stores', 'Changes in business plan', 'Declining profits', 'Origins', 'Opposition', 'Continued opposition to repeal', 'Repeal', 'Motivations', 'Effects of repeal', 'See also', 'Notes', 'References', 'The Splitting Defense', 'The Intense Relationships Between the Ego Structures', 'Fairbairn’s Model of Attachment to the Bad Object as Applied to the Four Adults in the Stockholm Bank Robbery', 'The Antilibidinal Ego/Rejecting Object side of the Split', 'The Libidinal Ego/Exciting Object Side of the Split', 'Possible evolutionary explanations', 'Loving to survive', 'Recovery', 'Criticism', 'Diagnostic and Statistical Manual (DSM 5, 2013)', 'Politics', 'Communities', 'Cities', 'Magisterial districts', 'Current', 'Historic', 'Unincorporated communities', 'See also', 'References', 'Politics', 'Communities', 'Town', 'Unincorporated communities', 'See also', 'References'], [], ['History', 'Geography', 'Sister cities', 'Notable people', 'See also', 'Notes', 'References'], ['Cities (multiple counties)', 'Cities', 'Census-designated places', 'Unincorporated communities', 'Politics', 'See also', 'References'], ['Communities', 'City', 'Unincorporated community', 'Politics', 'See also', 'References'], ['History', 'Geography', 'Adjacent counties', 'Cities', 'Towns', 'Census-designated place', 'Unincorporated communities', 'Townships', 'Politics', 'See also', 'References', 'Recreation', 'Communities', 'City', 'Boroughs', 'Townships', 'Census-designated places', 'Unincorporated communities', 'Population ranking', 'Marcellus shale impact fee', 'Marcellus shale gas well methane leakage', 'Demographics', '2000 census', '2010 census', 'Communities', 'Cities', 'Census-designated places', 'Unincorporated communities', 'Politics', 'Economy', 'See also', 'Airports', 'Media', 'Tourism', 'Covered bridges', 'State Parks and Recreation Areas', 'Hocking Hills Region', 'Lake Hope Bike Trails', 'Zaleski Backpack Trails', 'Quilt barns', 'Events', 'References', 'History', 'Geography', 'In media', 'References', 'History', 'Geography', 'Adjacent counties', 'Cities', 'Unincorporated communities===', 'Townships', 'Politics', 'See also', 'References'], ['Politics, law and government', 'Education', 'Media', 'Newspapers', 'Television', 'Transportation', 'Major highways', 'Transit', 'Parks and recreation', 'See also', 'Hardening', 'Alternative versions and implementations', 'See also', 'Adjacent counties', 'Protected areas', 'Demographics', 'Communities', 'Politics', 'See also', 'References', 'History', 'Origins and etymology', 'Administrative history', 'Extent', 'Development', 'Geography', 'Culture', 'Educational institutions', 'Crossrail', 'National Rail and Overground', 'Buses', 'Travel to work', 'Social housing and Grenfell tower fire', 'Religion', 'Featured places', 'Education', 'Schools', 'Independent preparatory schools', 'Geography', 'Adjacent counties', 'National protected area', 'Demographics', '2000 census', '2010 census', 'Politics', 'Communities', 'City', 'Geography', 'Adjacent counties', 'Demographics', 'Religion', 'Education', 'Public schools', 'Private schools', 'Alternative and vocational schools', 'Public libraries', 'Cities', 'Census-designated places', 'Unincorporated communities', 'Politics', 'See also', 'References', 'Further reading'], ['Use dmy dates from July 2019', 'Geography', 'Lakes===']]



['Wikipedia: Interstate 12', 'Wikipedia: Rudianos', 'Wikipedia: Sigmund', 'Wikipedia: Noise music', "Wikipedia: Sharkovskii's theorem", 'Wikipedia: List of modern armament manufacturers', 'Wikipedia: Thomas Johann Seebeck', 'Wikipedia: House of Lancaster', 'Wikipedia: Hey Pretty', 'Wikipedia: 642 BC', 'Wikipedia: Pendleton County, West Virginia', 'Wikipedia: Pierce County, Washington', 'Wikipedia: Nolan County, Texas', 'Wikipedia: Cottle County, Texas', 'Wikipedia: Buffalo County, South Dakota', 'Wikipedia: Luzerne County, Pennsylvania', 'Wikipedia: Jackson County, Oregon', 'Wikipedia: Doc Watson', 'Wikipedia: Igaluk', 'Wikipedia: Dunn County, North Dakota', 'Wikipedia: Catawba County, North Carolina', 'Wikipedia: Tourin', 'Wikipedia: Franklin County, Nebraska', 'Wikipedia: Sweet Grass County, Montana', 'Wikipedia: Hancock County, Mississippi']
[['Mythological exploits', 'War with the South', 'Birth of Lleu', 'The tynghedau of Arianrhod', "Lleu's death and resurrection", 'The Battle of the Trees', 'Other traditions', 'Gwydion in other media', 'Legacy', 'Honours', 'Professional boxing record', 'See also', 'References'], ['See also', 'References'], ['Völsunga saga', 'Relation to other Germanic heroes', 'Parallels', 'Music', 'Organisations', 'Technology', 'People', 'Other uses', 'See also', 'References'], ['Statement', 'See also', 'Plot', 'Cast', 'Production', 'Release', 'Reception', 'Sequel', 'References', 'Supplementary feeding', 'Nest management', 'Monitoring', 'Reintroduction', 'Fatal fungal infection', 'Population timeline', 'In Māori culture', 'Use for food and clothing', 'In the media', 'See also', 'Notes', 'References'], ['Background', 'Beatlemania', 'Beyond the Beatles', 'Other cultural impacts', 'Film and television', 'Fashion', 'Literature', 'Impact on American music', 'End of the first British Invasion', 'See also', 'Bankruptcy and liquidation', 'eBook store', 'See also', 'References'], ['Further reading', 'Primary and contemporary sources'], ['Namnyak, et al (2008)', 'FBI Law Enforcement Bulletin (1999)', 'Robbins and Anthony (1982)', 'Victims', 'See also', 'References'], ['History', 'Geography', 'Major highways', 'Adjacent counties', 'Geography', 'Geographic features', 'Adjacent counties', 'National protected areas', 'Demographics', '2000 census', 'Adjacent counties / Independent city', 'National protected area', 'Major highways', 'Demographics', 'Schools', 'Secondary and Higher Education', 'Middle schools', 'Elementary schools', 'Communities', 'Towns', 'History', 'Geography', 'Adjacent counties', 'National protected area', 'Major highways', 'Demographics', 'Government', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Wind power', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Politics', 'Communities', 'State protected areas', 'Climate and weather', 'Major Highways', 'Demographics', 'Transportation', 'Communities', 'City', 'Town', 'Census-designated places', 'Unincorporated communities', 'Geography', 'Major highways', 'Adjacent counties', 'Protected Areas', 'Lakes', 'See also', 'References', 'History', 'References', 'History', 'Geography', 'Wild Turkey Festival', 'Ridgetop Music Festival', 'Vinton County Air Show', 'Midnight At Moonville', 'Communities', 'Villages', 'Townships', 'Unincorporated communities', 'Ghost towns', 'See also', 'Coat of arms', 'Towns and municipalities', 'References'], ['Story', 'Tulok', 'See also'], ['Demographics', '2000 census', '2010 census', 'Politics', 'Officials', 'Education', 'Infrastructure', 'Major highways', 'Communities', 'Cities', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'Protected areas===', 'Lakes===', 'References', 'Further reading'], ['References'], ['See also', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Communities', 'Politics', 'Museums', 'Churches', 'Parks and squares', 'Hospitals', 'Administration and representation', 'Economy', 'Transport', 'Rail', 'Buses', 'Road', 'Further education', 'Universities', 'Public libraries', 'International relations', 'Town twinning', 'Freedom of the Borough', 'Individuals', 'Military Units', 'See also', 'References', 'Towns', 'Census-designated places', 'Unincorporated communities', 'Notable residents', 'See also', 'References', 'Transportation', 'Major highways', 'Airports', 'Health care', 'Media', 'Radio', 'Print', 'Television', 'Politics', 'Local', 'History', 'Recovery from Hurricane Katrina', 'Geography', 'Major highways', 'Adjacent counties and parishes', 'Major highways', 'Adjacent counties', 'Protected areas===', 'Climate and weather', 'Demographics', '2000 census', 'Communities', 'Cities', 'Unincorporated communities', 'Townships']]



['Wikipedia: Gilfaethwy', 'Wikipedia: Saône', 'Wikipedia: Völsung', 'Wikipedia: Cor anglais', 'Wikipedia: Eighth note', 'Wikipedia: Cytidine', 'Wikipedia: HIV/AIDS in the United States', "Wikipedia: She's So Unusual", 'Wikipedia: Trinity House', 'Wikipedia: Crook County, Wyoming', 'Wikipedia: Coryell County, Texas', 'Wikipedia: Haywood County, Tennessee', 'Wikipedia: Eric Cartman', 'Wikipedia: Tornat', 'Wikipedia: Saved by the Bell', 'Wikipedia: Fillmore County, Nebraska', 'Wikipedia: Bloomsbury (disambiguation)', 'Wikipedia: Kilburn, London', 'Wikipedia: Cass County, Minnesota']
[['See also', 'References', 'In Arthurian Romance', 'Route description', 'Baton Rouge to Hammond', 'Hammond to Slidell', 'History', 'Exit list', 'See also', 'Notes', 'References', 'Geography', 'Departments and cities traversed by the Saône', 'In modern fiction', 'See also', 'Notes', 'References', 'Definitions', 'Characteristics', '1910s–1960s', 'The Art of Noises', 'Found sound', 'Experimental music', 'Popular music', 'Generalizations', 'References'], ['Seebeck effect', 'Precursors to color photography', 'Other achievements', 'See also', 'References', 'Further reading'], [], ['See also', 'References', 'Notes', 'References', 'Further reading'], ['Origin of the Earls of Lancaster', 'Duchy and Palatinate of Lancaster', 'Reign of Henry IV', "Henry V and the Hundred Years' War", 'Henry VI and the fall of the House of Lancaster', 'Legacy', "Shakespeare's history plays", 'Succession', 'Religion, education and the arts', 'Earls and Dukes of Lancaster (first creation)', 'Notes', 'References', 'Further reading and listening', 'Tracks', 'Charts', 'References', 'Events', 'Births', 'Deaths', 'References', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'National protected areas', 'Demographics', 'National protected areas', 'National Natural Landmarks', 'Economy', 'Demographics', '2000 census', '2010 census', 'Politics', 'Communities', 'Towns', 'Magisterial districts', '2010 census', 'Government', 'Politics', 'Economy', 'Education', 'Higher education', 'Library system', 'Transportation', 'Major highways', 'Ferry routes', 'Census-designated places', 'Other unincorporated communities', 'Politics', 'Pulaski County reps in state government', 'See also', 'References'], ['Board of Supervisors', 'Constitutional officers', 'Communities', 'Towns', 'Census-designated place', 'Other unincorporated communities', 'See also', 'References'], ['Communities', 'Cities', 'Unincorporated communities', 'Ghost towns', 'Politics', 'See also', 'References'], ['Towns', 'Unincorporated communities', 'Ghost towns', 'See also', 'References'], ['Politics', 'See also', 'References'], ['History', 'Demographics', '2000 census', '2010 census', 'Communities', 'Township', 'Politics', 'See also', 'Further reading', 'References', '18th century', '19th century', '20th century', '21st century', 'Geography', 'State parks and forests', 'Adjacent counties', 'Climate', 'Demographics', 'Languages', 'Adjacent counties', 'National protected areas', 'Demographics', '2000 census', '2010 census', 'Communities', 'Cities', 'Census-designated places', 'Unincorporated communities', 'Former communities', 'References'], ['Role in South Park', 'Biography', 'Early life', 'Career', 'Later life', 'Personal life', 'Legacy', 'Discography', 'Awards and honors', 'Grammy awards', 'All articles lacking sources', 'All stub articles', 'Articles lacking sources from December 2009', 'Articles with short description', 'Villages', 'Townships', 'Census-designated places', 'Unincorporated communities', 'Notable people', 'See also', 'References', 'Further reading'], ['Demographics', '2000 census', '2010 census', 'Sites of interest', 'Communities', 'Cities', 'Census-designated place', 'Unincorporated communities===', 'Politics', 'See also', 'History', 'Economy', 'Government, law, and public safety', 'County officers', 'Board of Commissioners', 'Soil & Water Conservation District Supervisors', 'Superior Court Judges', 'District Court Judges', 'Catawba County Sheriff', 'Other offices', 'Characters', 'Production', 'Good Morning, Miss Bliss', 'See also', 'References'], ['Air pollution', 'Cycling', 'Notable residents', 'References'], [], ['Geographic and administrative context', 'History', 'History', 'Climate', 'Geography', 'Major highways', 'Adjacent counties', 'National protected areas', 'Demographics', 'State', 'Federal', 'Political culture', 'Missouri presidential preference primary (2008)', 'Communities', 'Notable people', 'See also', 'References'], ['Demographics', 'Communities', 'Cities', 'Census-designated places', 'Unincorporated communities', 'Politics', 'See also', 'References'], ['Government and politics', 'See also', 'References'], []]



['Wikipedia: Goewin', 'Wikipedia: Cŵn Annwn', 'Wikipedia: Andvaranaut', 'Wikipedia: Mille Bornes', 'Wikipedia: From the Choirgirl Hotel', 'Wikipedia: Prince William County, Virginia', 'Wikipedia: Amherst County, Virginia', 'Wikipedia: Newton County, Texas', 'Wikipedia: Brule County, South Dakota', 'Wikipedia: B*Witched', 'Wikipedia: Tekkeitsertok', 'Wikipedia: Holmes County, Ohio', 'Wikipedia: Divide County, North Dakota', 'Wikipedia: Brentford', 'Wikipedia: Douglas County, Missouri', 'Wikipedia: Grenada County, Mississippi']
[['References', 'Narrative', 'References', 'References'], ['Owner', 'Main tributaries of the Saône', 'Navigation', 'Hydrology', 'The lesser Saône (Petite Saône)', 'The greater Saône (Grande Saône)', 'Average flow rate', 'Historic floods', 'See also', 'References'], ['Synopsis', 'Modern retellings', 'See also', 'References'], ['1970s–present', 'Noise rock and no wave', 'Industrial music', 'Japanese noise music', 'Post-digital music', 'Compilations', 'See also', 'Footnotes', 'References', 'Further reading', 'Description and timbre', 'History and etymology', 'Repertoire', 'Concertos and concertante', 'Chamber music', 'Solos in orchestral works', 'Unaccompanied', 'References'], ['History', 'Objective', 'List of cards', 'Play', 'Album description', 'Critical reception', 'Track listing', 'Properties', 'Dietary sources', 'Cytidine analogues', 'Biological actions', 'References'], ['Dukes of Lancaster (second creation)', 'Lancastrian Kings of England', 'Family tree', 'Coats of Arms', 'Lancaster badges', 'See also', 'References', 'Bibliography'], ['Mortality and morbidity', 'Containment', 'Medical treatment', 'Travel restrictions', 'Public health policies', 'Public perception', 'Perspective of doctors', 'By race/ethnicity', '"Down-Low" culture among black MSM', 'Risk factors contributing to the black HIV rate', 'Background', 'Artwork', 'Singles', 'Reception', 'Accolades', '30th Anniversary Tour', 'Track listing', 'Personnel', 'Master of the Corporation', 'Governance', 'Headquarters of the Corporation', 'History', 'Operational responsibilities and role of the corporation', 'Assets', 'Lighthouses', 'Vessels', 'Ships', '2000 census', '2010 census', 'Politics', 'Communities', 'Towns', 'Census-designated place', 'Unincorporated communities', 'See also', 'References'], ['Current', 'Historic', 'Census-designated place', 'Unincorporated communities', 'Historic Places', 'Gallery', 'See also', 'Footnotes', 'References'], ['Arts and culture', 'Crime', 'Communities', 'Cities', 'Towns', 'Census-designated places', 'Unincorporated communities', 'See also', 'References'], ['History', 'Post-Reconstruction era to present', 'Geography', 'Adjacent jurisdictions', 'National protected areas', 'Government', 'History', 'Recreation and attractions', 'Festivals in the area', 'Geography', 'Geography', 'Major highways', 'Adjacent counties and parishes', 'Demographics', 'Politics', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Government and infrastructure', 'Politics', 'History', 'Geography', 'Adjacent counties', 'National protected area', 'Demographics', 'Economy', 'Communities', 'City', 'Town', 'History', 'Geography', 'Major highways', 'Religion', 'Government', 'Background', 'County Council', 'County Manager', 'Other county officials', 'Politics', 'United States Senate', 'United States House of Representatives', 'State Senate', 'Politics', 'Economy', 'Points of interest', 'Bear Creek Greenway', 'Pacific Crest Trail', 'See also', 'Notes'], ['References', 'Character', 'Creation and design', 'Development', 'Personality and traits', 'Cultural impact', 'Recognition', 'In other media', 'References', 'Bibliography'], ['References'], ['Career', 'Inuit gods', 'Monitored short pages', 'North American mythology stubs', 'Short description matches Wikidata', 'History', 'Geography', 'Adjacent counties', 'Demographics', 'References'], ['History', 'North Carolina General Assembly', 'North Carolina House of Representatives', 'North Carolina Senate', 'Federal offices', 'Senate', 'House of Representatives', 'Geography', 'Adjacent counties', 'Demographics', 'Education', 'Saved by the Bell', 'Episodes', 'Theme song', 'Films', 'Saved by the Bell: Hawaiian Style', 'Saved by the Bell: Wedding in Las Vegas', 'Spin-offs', 'Saved by the Bell: The College Years', 'Saved by the Bell: The New Class', 'Reunions', 'History', 'Geography', 'Adjacent counties', 'Protected areas', 'Demographics', 'Transportation', 'Communities', 'City', 'Villages', 'Unincorporated communities', 'Places', 'Other', 'Demographics', 'Housing and inequality', 'Landmarks', 'Kilburn High Road', 'Gaumont State Cinema', 'The Kiln Theatre', 'Other buildings', 'Transport', 'Tube/train', 'Bus', '2000 census', '2010 census', 'Politics', 'Culture', 'Communities', 'City', 'Census-designated place', 'Unincorporated communities', 'See also', 'References', 'History', 'Geography', 'Adjacent counties', 'Major highways', 'Geography', 'Major highways', 'Adjacent counties', 'National protected area', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'Protected areas===', 'Climate and weather', 'Demographics', '2000 census', 'Communities']]



['Wikipedia: Pryderi', 'Wikipedia: Ratchet', 'Wikipedia: Cox–Forbes theory', 'Wikipedia: Gudrun', 'Wikipedia: Date palm', 'Wikipedia: Navajo County, Arizona', 'Wikipedia: Joseph Chamberlain', 'Wikipedia: Sirte District', 'Wikipedia: Glycosidic bond', 'Wikipedia: Cannibal Corpse', 'Wikipedia: Converse County, Wyoming', 'Wikipedia: Nicholas County, West Virginia', 'Wikipedia: Pend Oreille County, Washington', 'Wikipedia: Interstate 43', 'Wikipedia: Ornithine', 'Wikipedia: Pinga', 'Wikipedia: Kingsbury, London', 'Wikipedia: Stillwater County, Montana']
[['Role in Welsh mythology', 'Birth and early life', 'The Assembly of Branwen and Matholwch', 'The Wild Hunt', 'Colouring and meaning', 'Similar creatures', 'See also', 'Theory', 'Refutation', 'See also', 'References'], ['Etymology', 'History', 'History', 'Geography', 'Adjacent counties', 'Indian reservations', 'Scoring', 'With larger or smaller groups', 'Card images', 'See also', 'References'], ['B-sides', 'Personnel', 'Charts', 'Weekly charts', 'Certifications', 'References', 'S-, N-, C-, and O-glycosidic bonds', 'Numbering, and α/β distinction of glycosidic bonds', 'Chemical approaches', 'Glycoside hydrolases', 'Glycosyltransferases', 'Disaccharide phosphorylases', 'History', 'Controversy and publicity', 'United States', 'Australia', 'Activism and response', 'Catholic Church', 'Present day activism', 'Current status', 'See also', 'References', 'Bibliography', 'Further reading'], ['Charts', 'Weekly charts', 'Year-end charts', 'Decade-end charts', 'Certifications', 'References'], ['Boats', 'Property', 'Other assets', 'Ensign', 'See also', 'Notes', 'References'], ['History', 'Geography', 'Adjacent counties', 'Geography', 'Major highways', 'Battlefields', 'Geography', 'Highways', 'Adjacent counties', 'County Elected Offices', 'State Elected Offices', 'National politics', 'Economy', 'Top employers', 'Education', 'Secondary', 'Higher', 'Demographics', 'Sports', 'Adjacent counties / Independent city', 'National protected areas', 'Major highways', 'Demographics', 'Government', 'Board of Supervisors', 'Constitutional officers', 'Communities', 'Town', 'Census-designated place', 'United States Congress', 'Communities', 'City', 'Unincorporated areas', 'Census-designated places', 'Unincorporated communities', 'Ghost towns', 'See also', 'References'], ['Communities', 'Cities', 'Towns', 'Census-designated place', 'Unincorporated communities', 'See also', 'References'], ['Unincorporated communities', 'Notable residents', 'Politics', 'See also', 'Further reading', 'References'], ['Adjacent counties', 'Protected areas', 'Lakes', 'Demographics', '2000 census', '2010 census', 'Communities', 'Cities', 'Town', 'Census-designated places', 'State House of Representatives', 'Public safety', 'Healthcare', 'Hospitals', 'Education', 'Public school districts', 'Charter schools', 'Public vocational technical schools', 'Private schools', 'Colleges and universities', 'History', 'Route description', 'Major accidents', 'Future', 'Role in urea cycle', 'Other reactions', 'Research', '1996–98: Formation and B*Witched', '1999–2000: Awake and Breathe', "2001–2002: Troubles, O'Carroll's departure and break up", '2012–present: Return and Champagne or Guinness', 'Members', 'Discography', 'Concert tours', 'References'], ['See also', 'References', '2000 census', '2010 census', 'Amish community', 'Politics', 'Communities', 'Transportation', 'See also', 'References'], ['Geography', 'Major highways', 'Adjacent counties and rural municipalities', 'Lakes===', 'Demographics', '2000 census', '2010 census', 'Population by decade', 'Places of interest', 'Communities', 'Higher education', 'Libraries', 'Points of Interest', 'Museums and historical sites', 'Sports and entertainment', 'Music and performing arts', 'Other attractions', 'Transportation', 'Major highways', 'Air', 'Revival', 'Merchandise', 'Home media', 'Soundtrack', 'List of Saved By the Bell novels', 'Comic books', 'Behind the Bell', 'Bayside! The Musical!', 'See also', 'References', 'Ghost towns', 'Townships', 'Politics', 'See also', 'Notes', 'References'], ['History', 'Toponymy', 'Early Brentford', 'Local fair', 'Brentford Dock', 'The Hardwick family', 'Timeline', 'Local government', 'Geography', 'Sport', 'Notable residents', 'References'], ['Geography', 'Major highways', 'Adjacent counties', 'National protected area', 'Demographics', 'Religion', 'Education', 'Public schools', 'Private schools', 'Public libraries', 'Politics', 'Local', 'State', 'Demographics', 'Education', 'Communities', 'City', 'Census-designated places', 'Other unincorporated communities', 'Politics', 'See also'], ['References', 'Cities', 'Census-designated place', 'Unincorporated communities', 'Townships', 'Unorganized territories', 'Government and politics', 'See also', 'References'], []]



['Wikipedia: Math fab Mathonwy', 'Wikipedia: Segomo', 'Wikipedia: Nucleobase', 'Wikipedia: Screensaver', 'Wikipedia: Album (disambiguation)', 'Wikipedia: Eure', 'Wikipedia: Amelia County, Virginia', 'Wikipedia: Navarro County, Texas', 'Wikipedia: Cooke County, Texas', 'Wikipedia: Hawkins County, Tennessee', 'Wikipedia: Brown County, South Dakota', 'Wikipedia: Tracy D. Terrell', 'Wikipedia: 665 BC', 'Wikipedia: Cato', 'Wikipedia: Hocking County, Ohio', 'Wikipedia: COM (hardware interface)', 'Wikipedia: Dundy County, Nebraska', 'Wikipedia: Greene County, Mississippi', 'Wikipedia: Carver County, Minnesota']
[['Return to Britain', 'Invasion of Gwynedd and Death', 'Appearances in other texts', 'See also', 'References', 'Devices', 'Film and television', 'Video games', 'Music', 'Other', 'See also', 'References', 'References', 'Etymology', 'Origins', 'Continental Germanic traditions and attestations', 'Nibelungenlied', 'Nibelungenklage', 'Þiðrekssaga', 'Rosengarten zu Worms', 'Heldenbuch-Prosa', 'Das Lied vom Hürnen Seyfrid', 'Description', 'Genome', 'Cultivation', 'Production', 'Cultivars', 'Diseases and pests', 'Invasive species', 'Uses', 'Fruits', 'Date forks', 'National protected areas', 'Demographics', '2000 census', '2010 census', 'Politics', 'Education', 'Transportation', 'Major highways', 'Airports', 'Communities and other places', 'Early life, business career and marriage', 'Early political career', 'Calls for reform', 'Mayor of Birmingham', 'National politics', 'Member of Parliament and the National Liberal Federation', 'President of the Board of Trade', 'Geography', 'Demographics', 'Administration', 'References', 'Directed glycosylations', 'O-linked glycopeptides; pharmaceutical uses of O-glycosylated peptides', 'References'], ['Germany', 'Russia', 'Responses to critics', 'Band members', 'Timeline', 'Recording timeline', 'Discography', 'See also', 'References'], ['Purpose', 'Screen protection', 'Modern usage', 'History', 'Music', 'Film and television', 'Other uses', 'See also', 'History', 'Geography', 'Politics', 'Current National Assembly Representatives', 'Tourism', 'National protected areas', 'Major Highways', 'Demographics', '2000 census', '2010 census', 'Communities', 'City', 'Towns', 'Other unincorporated communities', 'Politics', 'Adjacent counties', 'National protected areas', 'Demographics', '2000 census', '2010 census', 'Politics', 'Elected officials', 'Communities', 'Cities', 'Magisterial districts', 'National protected areas', 'Demographics', '2000 census', '2010 census', 'Communities', 'Cities', 'Towns', 'Unincorporated communities', 'Politics', 'See also', 'Museums', 'Libraries', 'Parks', 'Transportation', 'Communities', 'Towns', 'Census-designated places', 'Other unincorporated communities', 'Former communities', 'Independent cities', 'Other unincorporated communities', 'Notable residents', 'See also', 'References', 'History', 'Geography', 'Major highways', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Government and infrastructure', 'History', 'Government', 'County Mayor', 'County Commission', 'Composition', 'Powers and responsibilities', 'Unincorporated community', 'Townships', 'Politics', 'See also', 'References', 'Libraries', 'Culture', 'Local attractions', 'Media', 'Sports', 'Transportation', 'Highways', 'Railroads', 'Airports', 'Communities', 'Exit list', 'Alternate route', 'See also', 'References'], ['Exercise fatigue', 'Weightlifting supplement', 'Cirrhosis', 'References'], ['People', 'Places', 'Literature', 'Organizations', 'All articles lacking sources', 'All stub articles', 'Articles lacking sources from December 2009', 'Articles with short description', 'Death goddesses', 'Deity stubs', 'Fertility goddesses', 'Health goddesses', 'Hunting goddesses', 'Inuit goddesses', 'Geography', 'Waterways', 'Adjacent counties', 'National protected area', 'Cities', 'Towns', 'Unincorporated communities===', 'Townships', 'Politics', 'See also', 'References'], ['Mass transit', 'Rail', 'Communities', 'Incorporated cities', 'Towns', 'Census-designated places', 'Unincorporated communities', 'Townships', 'See also', 'References', 'General references'], ['History', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'Protected areas', 'Demographics', 'Demography and housing', 'Economy', 'Landmarks', 'The Syon estate', 'Brentford Monument', "Saint Paul's Church", "Saint Faith's Church", "Saint Lawrence's Church", "Saint John the Evangelist's Church", "Saint George's Church", 'History', 'Local government', 'Demography', 'In film, literature and music', 'Notable people', 'Geography', 'Neighbouring areas', 'Transport', 'Roads', 'National protected areas', 'Demographics', '2000 census', '2010 census', 'Politics', 'Communities', 'Town', 'Census-designated places', 'Unincorporated communities', 'Ghost towns', 'Federal', 'Political culture', 'Missouri presidential preference primary (2008)', 'Communities', 'See also', 'References', 'Further reading'], ['History', 'Geography', 'Major highways', 'Geography', 'Lakes', 'Major highways', 'Adjacent counties']]



['Wikipedia: Carcassonne', 'Wikipedia: Interstate 17', 'Wikipedia: Hrymr', 'Wikipedia: Fiddler on the Roof', 'Wikipedia: Time After Time', 'Wikipedia: Eure-et-Loir', 'Wikipedia: Carbon County, Wyoming', 'Wikipedia: Morgan County, West Virginia', 'Wikipedia: Pacific County, Washington', 'Wikipedia: Prince George County, Virginia', 'Wikipedia: Persepolis', 'Wikipedia: 666 BC', 'Wikipedia: Antiochus IV Epiphanes', 'Wikipedia: Audio power amplifier', 'Wikipedia: Dickey County, North Dakota', 'Wikipedia: Caswell County, North Carolina', 'Wikipedia: OLE', 'Wikipedia: Walthamstow', 'Wikipedia: Dent County, Missouri']
[['The Mabinogi of Math', 'Math is tricked by his nephews', 'Gwydion and his nephew', 'Lleu and Blodeuwedd', 'Etymology', 'Footnotes', 'References', 'Geography', 'History', 'Historical importance', 'Main sights', 'The fortified city', 'Other', 'Route description', 'History', 'Future', 'Exit list', 'Other traditions and attestations', 'Scandinavian traditions and attestations', 'Gesta Danorum', 'Prose Edda', 'Poetic Edda', 'Grípisspá', 'Brot af Sigurðarkviðu', 'Guðrúnarkviða I', 'Sigurðarkviða hin skamma', 'Dráp Niflunga', 'Nutritional value', 'Other parts', 'Seeds', 'Fruit clusters', 'Sap', 'Leaves', 'Culture', 'Symbolism', 'Gallery', 'References', 'Cities', 'Towns', 'Ghost Towns', 'Census-designated places', 'Other communities', 'Indian communities', 'Other places', 'County population ranking', 'See also', 'References', 'Called a dangerous "Jack Cade"', 'Radical Programme of July 1885', 'Liberal split', 'Liberal Unionist Association', 'Liberal Unionist', '1892 election', 'Statesman', 'Colonial Secretary', 'Reform projects', 'Jameson Raid', 'Name', 'Attestations', 'References', 'Bibliography', 'Structure', 'Modified nucleobases', 'Modified purine nucleobases', 'Modified pyrimidine nucleobases', 'Artificial nucleobases', 'See also', 'References'], ['Background', 'Synopsis', 'Act I', 'Underlying architecture', 'Microsoft Windows', 'MacOS', 'Atari', 'Considerations', 'Entertainment', 'See also', 'References'], ['Entertainment', 'Songs', 'Albums', 'Fiction, film, television', 'See also'], ['Sources', 'See also', 'References'], ['Census-designated places', 'Unincorporated communities', 'See also', 'References', 'Further reading', 'References', 'History', 'Geography', 'Notable person', 'Other important features', 'See also', 'References'], ['History', 'Geography', 'Adjacent counties', 'Transportation', 'US Highways', 'State Routes', 'Secondary Roads', 'Demographics', 'Government', 'Adjacent counties', 'Demographics', 'Media', 'Communities', 'Cities', 'Towns', 'Unincorporated communities', 'Ghost town', 'Politics', 'See also', 'Politics', 'Communities', 'Cities', 'Towns', 'Census-designated place', 'Unincorporated communities', 'See also', 'References'], ['Current members as of 2020:====', 'Geography', 'Adjacent counties', 'State protected area', 'Other protected area', 'Other historic sites', 'Demographics', 'Transportation', 'Major highways', 'Airports', 'Geography', 'Major highways', 'Adjacent counties', 'Protected areas', 'Demographics', '2000 census', '2010 census', 'Politics', 'Cities', 'Boroughs', 'Townships', 'Census-designated places', 'Other places', 'Population ranking', 'Notable people', 'See also', 'Notes', 'References', 'Career', 'Partial bibliography', 'Journal Articles', 'References', 'Events', 'Births', 'Deaths', 'References', 'Vehicles', 'Technology', 'See also', 'Short description is different from Wikidata', 'History', 'Design parameters', 'Demographics', '2000 census', '2010 census', 'Politics', 'Government', 'Communities', 'City', 'Villages', 'Townships', 'Census-designated places', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'National protected areas', 'Further reading'], ['History', 'I/O addresses', 'Uses', 'See also', 'References', 'Further reading'], ['Communities', 'City', 'Village', 'Census-designated places', 'Other unincorporated communities', 'Politics', 'See also', 'References'], ['On the periphery', 'Others', 'Sports', 'Transport', 'In popular culture', 'See also', 'References', 'Further reading'], ['Buses', 'Tube', 'Local parks', 'Schools', 'See also', 'References'], ['See also', 'References', 'Further reading', 'History', 'Exploration and settlement', 'County formation', 'Courthouse', 'Resources', 'Adjacent counties', 'National protected area', 'Demographics', '2015', 'Government and infrastructure', 'Communities', 'Towns', 'Unincorporated communities', 'Politics', 'See also', 'Protected areas===', 'Climate and weather', 'Demographics', '2010', '2000', 'Government and politics', 'Government', 'County commissioners', 'Politics', 'Communities']]



['Wikipedia: Arianrhod', 'Wikipedia: Shannon (given name)', 'Wikipedia: G. H. Hardy', 'Wikipedia: Abkhaz alphabet', 'Wikipedia: Hoddmímis holt', 'Wikipedia: Hemiacetal', 'Wikipedia: Blue Note Records', 'Wikipedia: Music video', 'Wikipedia: Nacogdoches County, Texas', 'Wikipedia: Concho County, Texas', 'Wikipedia: Lehigh County, Pennsylvania', 'Wikipedia: Silap Inua', 'Wikipedia: Nirvana (disambiguation)', 'Wikipedia: Douglas County, Nebraska', 'Wikipedia: Brixton', 'Wikipedia: Knightsbridge', 'Wikipedia: George County, Mississippi']
[['Mabinogion', 'In other sources', 'Etymology', 'Notes', 'Climate', 'Economy', 'Transport', 'Education', 'Language', 'Sport', 'Arts', 'In culture', 'Personalities', 'International relations', 'See also', 'References'], ['Guðrúnarkviða II', 'Guðrúnarkviða III', 'Atlakviða', 'Atlamál hin groenlenzku', 'Guðrúnarhvöt', 'Hamðismál', 'Völsunga saga', 'Wild Hunt', 'Theories about the development of the Gudrun figure', 'Role in the destruction of Burgundians'], ['Early life and career', 'Work'], ['See also', 'References', 'West Africa', 'Sierra Leone', 'Anglo-German Alliance negotiations: first attempt', 'Samoa and Anglo-German Alliance negotiations: second attempt', 'South Africa', 'Boer War: early defeat and false dawn', 'Zenith', 'The Khaki Election', 'Anglo-German Alliance negotiations: third attempt', 'Boer War: victory', 'Attestations', 'Theories', 'Notes', 'References', 'Formula and formation', 'Cyclic hemiacetals and hemiketals', 'Synthesis', 'Reactions', 'Act II', 'Musical numbers', 'Principal characters', 'Casts', 'Productions', 'Original productions', 'Broadway revivals', 'London revivals', 'Other UK productions', 'Australian productions', 'History', 'Early years', 'Lion and Wolff embrace bebop', 'Hard bop and beyond', 'History and development', '1926–1959: Talkies, soundies, and shorts', '1960–1973: Promotional clips', '1974–1980: Beginnings of music television', 'History', 'Geography', 'Demographics', 'Economy', 'Agriculture', 'Industries', 'Energy', 'Politics', 'Current National Assembly Representatives', 'Tourism', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'National protected areas and State historical sites', 'Demographics', '2000 census', '2010 census', 'Government and infrastructure', 'Communities', 'History', 'Early European settlers', '18th century', '19th century', '20th century', 'Geography', 'Major highways', 'Adjacent counties', 'Geographic features', 'Major highways', 'Adjacent counties', 'National protected areas', 'Demographics', '2000 census', '2010 census', 'Politics', 'Communities', 'Cities', 'History', '20th century to present', 'Geography', 'Adjacent counties / independent cities', 'National protected areas', 'Economy', 'Top employers', 'Government', 'Board of Supervisors', 'Constitutional officers', 'Media', 'Education', 'Communities', 'Census-designated places', 'Unincorporated communities', 'See also', 'References'], ['References'], ['History', 'History', 'Railroad development', 'Geography', 'Major highways', 'Communities', 'Cities', 'Towns', 'Census-designated place', 'Unincorporated communities', 'In popular culture', 'Politics', 'See also', 'References'], ['Communities', 'Cities', 'Towns', 'Census-designated places', 'Unincorporated communities', 'Townships', 'See also'], ['References'], ['Geography', 'Topography', 'Name', 'Geography', 'History', 'Function', 'Destruction', 'After the fall of the Achaemenid Empire', 'Archaeological research', 'Events', 'Assyria', 'Births', 'References', 'Biography', 'Rise to power', 'Wars against Egypt and relations with Rome', 'Persecution of Jews', 'Books of Maccabees', 'Final years', 'Legacy', 'Jewish tradition', 'Genealogy', 'See also', 'Filters and preamplifiers', 'Power output stages', 'Further developments', 'Applications', 'See also', 'References', 'Unincorporated communities', 'See also', 'References'], ['Lakes===', 'Demographics', '2000 census', '2010 census', 'Communities', 'Cities', 'Unincorporated communities===', 'Townships', 'Politics', 'See also', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Law and government', 'Education', 'Culture', 'Communities', 'Towns', 'Unincorporated communities', 'People', 'Places', 'Computing, mathematics, and engineering', 'Music', 'See also', 'Geography', 'Major highways', 'Adjacent counties', 'Protected areas', 'History', 'Until the mid-19th century', 'Victorian expansion', 'Before World War II', 'Toponymy', 'History', 'Geography', 'Economy', 'Property', 'One Hyde Park', 'History', 'Toponymy', 'Early history', 'Urban development', 'Local government', 'Recent history', 'Governance', 'Geography', 'Demography', 'Economy', 'Electrification', 'Industry', 'Economy', 'Geography', 'Adjacent counties', 'National protected areas', 'Demographics', 'Religion', 'Transportation', 'Major highways', 'References'], ['Geography', 'Cities', 'Unincorporated communities===', 'Townships', 'Notable residents', 'See also', 'References'], []]



['Wikipedia: Lleu Llaw Gyffes', 'Wikipedia: Barenaked Ladies', 'Wikipedia: Grimhild', 'Wikipedia: Pima County, Arizona', 'Wikipedia: Strange Little Girls', 'Wikipedia: Body fluids in art', 'Wikipedia: Okanogan County, Washington', 'Wikipedia: Alleghany County, Virginia', 'Wikipedia: Hardin County, Tennessee', 'Wikipedia: Brookings County, South Dakota', 'Wikipedia: Syncom', 'Wikipedia: Lambert W function', 'Wikipedia: Cavalier County, North Dakota', 'Wikipedia: Carteret County, North Carolina', 'Wikipedia: ActiveX', 'Wikipedia: Carlton County, Minnesota']
[['References', 'Name', 'Role in Welsh tradition', 'Twin towns – sister cities', 'References'], ['Namesake', 'Shortened Forms', 'Popularity', 'People with the given name Shannon (or alternate spelling of the name)', 'Female', 'Shannon', 'Shana', 'Fictional characters', 'Shanna', 'Male', 'Attachment to the legend of Ermanaric and Svanhild', 'In popular culture', 'See also', 'Notes', 'References', 'Pure mathematics', 'Attitudes and personality', "Hardy's aphorisms", 'Cultural references', 'Bibliography', 'See also', 'Notes', 'References', 'Further reading'], [], ['History', 'Geography', 'Resignation of Salisbury', '1902 Education Act', 'Tour of South Africa', 'Zionism and the "Uganda Proposal"', 'Tariff reform: Unionist split', "Tariff reform: Chamberlain's last crusade", '1906 general election', 'Decline', 'Memory and historiography', 'Memorials', 'Track listing', 'B-sides', 'Personnel', 'Charts', 'References', 'Criticism and difficulties', 'See also', 'Other notable US productions', 'International and amateur productions', 'Film adaptations and recordings', 'Cultural influence', 'Parodies', 'Covers', 'Other song versions', 'Awards', 'Notes', 'References', 'The avant-garde', 'Cover art', 'Lion and Wolff retire', 'Revival and ownership history', 'Modern Era', 'Legacy', 'Documentary films', 'Discography', 'Subsidiaries', 'Notes', '1981–1991: Music videos go mainstream', '1992–2004: Rise of the directors', '2005–present: Music video download and streaming', 'Official lo-fi Internet music clips', 'Vertical videos', 'Lyric videos', 'Censorship', '1980s', '1990s', '2000s', 'Notable people', 'Middle Ages', 'Renaissance', '19th and 20th century', 'Media', 'See also', 'References'], ['City', 'Towns', 'Census-designated places', 'Unincorporated communities', 'See also', 'References', 'Further reading', 'Rivers and streams', 'Demographics', '2000 census', '2010 census', 'Government and public safety', 'County government', 'Morgan County Sheriff', 'Politics', 'Communities', 'Towns', 'Census-designated places', 'Unincorporated communities', 'See also', 'References'], ['Politics', 'Law enforcement', 'Correctional institutions', 'Towns, communities, region', 'Census-designated places', 'Other unincorporated communities', 'Transportation', 'Major highways', 'Demographics', 'Education', 'History', 'Geography', 'Adjacent counties', 'Geography', 'Adjacent counties', 'National protected area', 'Demographics', 'Transportation', 'Bus', 'Major highways', 'Communities', 'Cities', 'Census-designated place', 'Adjacent counties', 'Demographics', 'Communities', 'City', 'Town', 'Unincorporated communities', 'References in popular culture', 'Politics', 'See also', 'References', 'History', 'The Hardin Expedition', 'County creation', 'History', 'Geography', 'Transportation', 'Major highways', 'Adjacent counties', 'Climate', 'Demographics', 'Politics and government', 'County executives', 'Commissioners', 'Other county offices', 'State House of Representatives===', 'State Senate===', 'United States House of Representatives', 'Architecture', 'Ruins and remains', 'Gate of All Nations', 'The Apadana Palace', 'Apadana Palace coin hoard', 'The Throne Hall', 'Other palaces and structures', 'Tombs', 'Ancient texts', 'Modern events', 'Syncom 1, 2 and 3', 'Common features', 'Syncom 1', 'Syncom 2', 'Syncom 3', 'Transfer to Department of Defense control', 'References'], ['Terminology', 'Description', 'History', 'See also', 'References'], ['Philosophical concepts', 'Biology', 'Ships', 'Music', 'Performers', 'Albums', 'Songs', 'Other creative works', 'Fictional elements', 'References'], ['History', 'Townships', 'See also', 'References'], ['ActiveX controls', 'History', 'Platform support', 'ActiveX in non-Internet Explorer applications', 'Other ActiveX technologies', 'Demographics', '2010 census', '2000 census', 'Government', 'Communities', 'Cities', 'Villages', 'Census-designated places', 'Unincorporated communities', 'See also', '1948: The Windrush generation', '1980s: Riots after police actions and Scarman Report', '1990s: Nail bombing', '2000s: Regeneration and gentrification debate', 'Transition Town', 'Brixton Pound', 'Housing', 'Housing estates', 'Victorian buildings', 'Brixton Market', 'History of property construction', 'Crime and terrorism', 'Buildings', 'Transport', 'In popular culture', 'See also', 'References', 'Further reading'], ['Amenities', 'Transport', 'Rail', 'Buses', 'Road', 'Air pollution', 'Cycling', 'Modern culture', 'Cinema', 'Sports clubs', 'Neighbouring Boroughs and Constituent Districts', 'Neighbours', 'Districts of Waltham Forest', 'Wards', 'Transport', 'Law enforcement', 'Notable residents', 'Sports teams', 'Twinned cities', 'Gallery', 'Airports', 'Politics', 'Local', 'State', 'Federal', 'Political culture', 'Education', 'Public schools', 'Alternative and vocational schools', 'Colleges and universities', 'Major highways', 'Adjacent counties', 'National protected area', 'Demographics', 'Politics', 'Communities', 'City', 'Unincorporated places', 'See also', 'References', 'Geography', 'Major highways', 'Adjacent counties', 'Protected areas===', 'History', 'Climate and weather']]



['Wikipedia: Interstate 19', 'Wikipedia: International Financial Reporting Standards', 'Wikipedia: Robert Mitchum', 'Wikipedia: Lofn', 'Wikipedia: Acetal', 'Wikipedia: Practical Magic', 'Wikipedia: Paul Morphy', 'Wikipedia: Gard', 'Wikipedia: Campbell County, Wyoming', 'Wikipedia: Comanche County, Texas', 'Wikipedia: 669 BC', 'Wikipedia: Qiqirn', 'Wikipedia: A New Kind of Science', 'Wikipedia: Rockingham County, New Hampshire', 'Wikipedia: Dodge County, Nebraska', 'Wikipedia: Songwriter', 'Wikipedia: Wallington, London', 'Wikipedia: London Borough of Redbridge', 'Wikipedia: DeKalb County, Missouri', 'Wikipedia: Franklin County, Mississippi']
[['Birth', 'Lleu and the tynghedau of Arianrhod', 'Lleu and Blodeuwedd', 'Other appearances', 'See also', 'References', 'Bibliography', 'History', 'Indie origins (1988–1991)', 'Early Canadian success (1991–1992)', 'First albums (1992–1997)', 'Breakthrough success in the United States (1998–2004)', 'Return to independence (2004–2008)', 'Departure of Page (2009–2011)', 'Modern day (2011–present)', 'Band members', 'Timeline', 'See also', 'References', 'Route description', 'Völsunga saga', 'Illuga saga Gríðarfóstra and Gríms saga loðinkinna', 'References', 'Bibliography', 'Early life', 'Acting', 'Film noir', 'Topographic features', 'Major highways', 'Adjacent counties and municipalities', 'National protected areas', 'Sonoran Desert Conservation Plan', 'Demographics', '2000 census', '2010 census', 'Metropolitan Statistical Area', 'Government, policing, and politics', 'University of Birmingham', 'Honours', 'Popular culture', 'Books by him', 'References', 'Further reading', 'Primary sources'], ['Certifications', 'See also', 'References'], ['References', 'Acetalisation', 'Examples', 'Further reading'], ['Plot', 'References'], ['Biography', '2010s', 'Commercial release', 'Video album', 'Video single', 'Unofficial music videos', 'Music video stations', 'Music video shows', 'See also', 'References', 'Further reading', 'History', 'Geography', 'Politics', 'Departmental Council', 'Members of the National Assembly', 'History', 'Geography', 'Adjacent counties', 'Major highways', 'National protected area', 'Demographics', 'Magisterial districts', 'Current', 'Historic', 'Census-designated places', 'Unincorporated communities', 'Historic Places', 'See also', 'Footnotes', 'References', 'Bibliography', 'History', 'Geography', 'Geographic features', 'Major highways', 'Adjacent counties', 'National protected areas', 'Demographics', '2000 census', 'Colleges and Universities', 'Public High Schools', 'Public Jr. High Schools', 'Public Middle Schools', 'Public Elementary Schools', 'Private Schools', 'Notable residents', 'See also', 'References'], ['National protected areas', 'Demographics', 'Government', 'Board of Supervisors', 'Constitutional officers', 'Economy', 'Transportation', 'Major highways', 'Education', 'Politics', 'Unincorporated communities', 'Notable residents', 'Politics', 'See also', 'References', 'Further reading'], [], ['History', 'Geography', 'Battle of Shiloh', 'Geography', 'Adjacent counties', 'National protected area', 'State protected areas', 'Demographics', 'Education', 'Hardin County Schools', 'Emergency services', 'Communities', 'Airports', 'Adjacent counties', 'Lakes', 'Protected areas', 'Demographics', '2000 census', '2010 census', 'Communities', 'Cities', 'Towns', 'Education', '4-year colleges and universities', '2-year colleges and technical institutes', 'Public school districts', 'Public charter schools', 'Private high schools', 'Transportation', 'Air', 'Bus', 'Major highways', '2,500-year celebration of the Persian Empire', 'The controversy of the Sivand Dam', 'Museums (outside Iran) that display material from Persepolis', 'General views', 'See also', 'Notes', 'References', 'Further reading'], ['Syncom IV (Leasat)', 'See also', 'References', 'Further reading'], ['History', 'Elementary properties, branches and range', 'Inverse', 'Calculus', 'Derivative', 'Antiderivative', 'Asymptotic expansions', 'Integer and complex powers', 'Identities', 'Special values', 'Popular culture', 'References', 'Other', 'Contents', 'Computation and its implications', 'Cavalier County Historical Society', 'Geography', 'Major highways', 'Adjacent counties and rural municipalities', 'Lakes===', 'Demographics', '2000 census', '2010 census', 'Communities', 'Cities', 'History', 'Law and government', 'Military', 'Geography', 'National protected areas', 'Adjacent counties', 'Major highways', 'Demographics', 'Education', 'See also', 'References'], ['References'], ['Geography', 'Culture', 'Brixton murals', 'Entertainment', 'Media', 'Radio', 'Religious sites', 'Christian churches', 'Brixton Mosque', 'Brixton Synagogue', 'Lambeth Council elections', 'Staff writers', 'As musicians', 'Producer / songwriters', 'Singer-songwriters', 'Education', 'Notable residents', 'Gallery', 'References'], ['See also', 'References'], ['Public libraries', 'Communities', 'See also', 'References', 'Further reading'], [], ['History', 'Geography', 'Demographics', 'Communities', 'Cities', 'Census-designated places', 'Unincorporated communities', 'Townships', 'Unorganized territories', 'Government and Politics', 'Local government', 'National']]



['Wikipedia: Blodeuwedd', 'Wikipedia: List of Swedish people', 'Wikipedia: Sven-Göran Eriksson', 'Wikipedia: Boys for Pele', 'Wikipedia: Nucleoside', 'Wikipedia: Girls Just Want to Have Fun', 'Wikipedia: Gers', 'Wikipedia: Monroe County, West Virginia', 'Wikipedia: Prince Edward County, Virginia', 'Wikipedia: Motley County, Texas', 'Wikipedia: Hood River County, Oregon', 'Wikipedia: 661 BC', 'Wikipedia: Violin Concerto (Adams)', 'Wikipedia: Cass County, North Dakota', 'Wikipedia: Australian Aboriginal religion and mythology', 'Wikipedia: Brown County, Minnesota']
[['Role in Welsh tradition', 'In literature', 'In popular culture', 'See also', 'Notes', 'Innovation and technology', 'Ships and Dip cruises', 'Awards and nominations', 'Beyond music', 'Biography', 'Canadian Music Creators Coalition', 'Barenaked Planet', 'If I Had 1,000,000 Flavours ice cream', 'Artists Against Racism', 'Side projects', 'Signage', 'History', 'Future', 'Exit list', 'Business routes', 'Nogales loop', 'Sahuarita to Tucson loop', 'See also', 'References'], ['History', 'Adoption', 'US GAAP', 'Conceptual Framework for Financial Reporting', 'Objective of financial statements', 'Qualitative characteristics of financial information', 'Elements of financial statements', 'Career in the 1950s and 1960s', 'Music', 'Albums', 'Singles', 'Later years', 'Death', 'Legacy', 'Documentaries', 'Filmography', 'References', 'Board of Supervisors and elected positions', 'Pima County sheriff', 'Politics', 'Communities', 'Cities', 'Towns', 'Ghost Towns in Pima County', 'Census-designated places', 'Indian communities', 'Other communities', 'See also', 'Attestations', 'Theories', 'Notes', 'References', 'See also', 'References', 'Source', 'Cast', 'Production', 'Music', 'Reception', 'Box office', 'Critical reception', 'Accolades', 'Cult status', 'In other media', 'See also', 'Early life', 'Childhood victories', 'Schooling and the First American Chess Congress', 'Europe', 'Hailed as World Chess Champion', 'Abandonment of chess', 'Death', 'Urban legends about his life', 'Playing style', 'Legacy'], ['Background', 'Music video', 'Demographics', 'Tourism', 'See also', 'References'], ['2000 census', '2010 census', 'Communities', 'City', 'Town', 'Census-designated places', 'Unincorporated communities', 'Politics', 'Notable people', 'See also', 'Further reading'], ['History', '2010 census', 'Communities', 'Cities', 'Towns', 'Census-designated places', 'Other unincorporated communities', 'Ghost towns', 'Politics', 'See also', 'Further reading', 'History', 'Formation and county seats', 'Railroads', 'Communities', 'Towns', 'Census-designated places', 'Other unincorporated communities', 'See also', 'References'], ['History', 'Whiteflat', 'Jail', 'Library', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Transportation', 'Major highways', 'Airport', 'Media', 'Communities', 'Cities', 'Town', 'Unincorporated communities', 'Cities', 'Towns', 'Census-designated places', 'Other unincorporated communities', 'Politics', 'See also', 'Notes', 'References', 'Further reading'], ['Census-designated place', 'Unincorporated communities', 'Townships', 'Politics', 'See also', 'References'], ['Media', 'Television', 'Print', 'Radio', 'Telecommunications', 'Recreation', 'Communities', 'Cities', 'Boroughs', 'Townships', 'History', 'Geography', 'Adjacent counties', 'National protected areas', 'Events', 'Births', 'Deaths', 'References', 'Representations', 'Other formulas', 'Definite integrals', 'Indefinite integrals', 'Applications', 'Solving equations', 'Viscous flows', 'Neuroimaging', 'Chemical engineering', 'Materials science', 'Structure', 'Instrumentation', 'Recordings', 'References'], ['Simple programs', 'Mapping and mining the computational universe', 'Systematic abstract science', 'Philosophical underpinnings', 'Computational irreducibility', 'Principle of computational equivalence', 'Applications and results', 'NKS Summer School', 'Reception', 'Scientific philosophy', 'Unincorporated communities===', 'Townships', 'Politics', 'See also'], ['References', 'Primary and secondary education', 'Higher learning', 'Economy', 'Media', 'Communities', 'Towns', 'Census-designated places', 'Unincorporated communities', 'See also', 'References', 'History', 'Geography', 'Adjacent counties', 'National protected area', 'Demographics', '2000 census', '2010 census', 'Politics and government', 'County Commission', 'Legislative branch', 'Major highways', 'Adjacent counties', 'Demographics', 'Communities', 'Cities', 'Villages', 'Census-designated place', 'Other unincorporated communities', 'Townships', 'Politics and government', 'Policing, drugs and crime', 'Operation Swamp', 'Gang culture', 'Drugs', 'JayDay Cannabis Festival', 'Brian Paddick', 'Gun crime', 'In popular culture', 'Music', 'Film and television', 'Co-writing', 'Top-liners', 'References', 'History', 'Today', 'Holy Trinity Church', 'Open space', 'Transport', 'Rail', 'Bus', 'Coach', 'Etymology', 'Places of interest', 'Parks and open spaces', 'Arts and culture', 'Libraries', 'Sport and leisure facilities', 'Geography', 'Demographics', 'Ethnic and religious change', 'Ethnicity', 'Geography', 'Adjacent counties', 'Major highways', 'Demographics', 'Religion', 'Education', 'Public Schools', 'Major highways', 'Adjacent counties', 'National protected area', 'Demographics', 'Politics', 'Communities', 'Towns', 'Unincorporated communities', 'See also', 'References', 'See also', 'References'], []]



['Wikipedia: Gofannon', 'Wikipedia: Goibniu', 'Wikipedia: Smertrios', 'Wikipedia: Supercavitation', 'Wikipedia: Pinal County, Arizona', 'Wikipedia: Ganzfeld experiment', 'Wikipedia: True Colors (Cyndi Lauper album)', 'Wikipedia: Ille-et-Vilaine', 'Wikipedia: Morris County, Texas', 'Wikipedia: Lebanon County, Pennsylvania', 'Wikipedia: Harney County, Oregon', 'Wikipedia: Oud', 'Wikipedia: Anishinaabe traditional beliefs', 'Wikipedia: Enki Bilal', 'Wikipedia: Object Linking and Embedding', 'Wikipedia: Brockley', 'Wikipedia: Muzzle', 'Wikipedia: Daviess County, Missouri']
[['References', 'Route description', 'California', 'Nevada', 'Arizona', 'Utah', 'Idaho', 'Montana', 'History', 'Species', 'References', 'Further reading', 'Further reading'], ['Physical principle', 'Regional definitions', 'A wave of diverse acts', 'Effect on mainstream popular music', 'Included in contemporary media', 'See also', 'References', 'Literature', 'History', 'Geography', 'Mountain ranges', 'Adjacent counties', 'Major highways', 'National protected areas', 'Fiorentina and return to Benfica', 'Sampdoria', 'Lazio', 'England national team', '2002 World Cup', 'UEFA Euro 2004', '2006 World Cup', 'The tournament', 'Manchester City', 'Mexico national team', 'Accolades', 'Commercial performance', 'Track listing', 'Personnel', 'Charts', 'Certifications', 'Release history', 'References', 'Name', 'Early life, family, and career', 'Governor', 'Vice President', 'Legacy', 'References'], ['Career', 'Book', 'Personal life', 'Filmography', 'Awards and nominations', 'Wealth', 'See also', 'References'], ['Historical context', 'Experimental procedure', 'Analysis of results', 'Early experiments', 'Autoganzfeld', 'Contemporary research', 'Hey Now (Girls Just Want to Have Fun)', 'Track listing', 'Race for Life version', 'See also', 'References'], ['References', 'See also'], ['Geography', 'Adjacent counties', 'Major highways', 'National protected areas', 'Demographics', '2000 census', '2010 census', 'Government and infrastructure', 'Education', 'Communities', 'Government and infrastructure', 'FPC Alderson', 'Natural Landmarks', 'Historic Landmarks', 'Education', "Farmers' Day", 'Communities', 'Towns', 'Magisterial districts', 'Unincorporated communities', 'Major highways', 'Adjacent counties', 'National protected areas', 'Demographics', '2000 census', '2010 census', 'Communities', 'City', 'Census-designated places', 'Unincorporated communities', 'Politics', 'Communities', 'Towns', 'Census-designated place', 'Other places', 'See also', 'Notable people', 'References', 'Further reading'], ['Parks and recreation===', 'Demographics', 'Economy', 'Government', 'Emergency services', 'Fire stations====', 'Rescue squads====', 'Education', 'Communities', 'Town', 'History', 'Geography', 'Major highways', 'History', 'Darmstadt Society of Forty', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Politics', 'Communities', 'National protected areas', 'State protected areas', 'Demographics', 'Schools', 'Communities', 'Cities', 'Towns', 'Unincorporated communities', 'Politics', 'See also', 'Demographics', '2000 census', '2010 census', 'Communities', 'Cities', 'Town', 'Census-designated place', 'Unincorporated communities', 'Politics', 'See also', 'Geography', 'Climate', 'Adjacent counties', 'Major highways', 'Demographics', 'See also', 'Notes'], ['References', 'Names and etymology', 'History', 'Musical instruments from pre-history', 'Gandhara to Spain, the Persian barbat and Arab oud go to Europe', 'Origins Theory from religious and philosophical beliefs', 'Central Asia', 'Generalizations', 'Plots', 'Numerical evaluation', 'Software', 'See also', 'Notes', 'References'], ['Other gods or important figures', 'References', 'Medicine Societies', 'Biography', 'Early life', 'Education and career', 'Awards', '2010 census', 'Population by decade', 'Government', 'Communities', 'Cities', 'Census-designated places', 'Unincorporated communities', 'Townships', 'See also', 'References', 'National protected area', 'Adjacent counties', 'Major highways', 'Demographics', 'Government', 'Education', 'Communities', 'City', 'Census-designated places', 'Other unincorporated communities', 'Overview', 'History', 'OLE 1.0', 'Geography', 'Major highways', 'National protected area', 'State protected area', 'Adjacent counties', 'History', 'Demographics', 'Communities', 'Cities', 'History', 'Since World War II', 'Green space', 'Views on death', 'Group-specific mythology', 'Yolngu', 'Murrinh-Patha people', 'Pintupi people', 'Newer belief systems', 'See also', 'Notes', 'Citations', 'Bibliography', 'Geography', 'Major highways', 'Adjacent counties', 'National protected areas', 'Demographics', '2000 census', '2010 census', 'Redbridge London Borough Council', 'Education', 'Maps', 'References'], ['Gallery', 'See also', 'References'], ['Adjacent counties', 'National protected area', 'Demographics', 'Communities', 'Cities', 'Census-designated places', 'Other unincorporated communities', 'Ghost towns', 'Politics', 'See also', 'Census-designated place', 'Unincorporated communities', 'Townships', 'Government and Politics', 'See also', 'Footnotes', 'Further reading'], []]



['Wikipedia: Tailtiu', 'Wikipedia: Sun Devil Stadium', 'Wikipedia: Whitehouse (band)', "Wikipedia: Scarlet's Walk", 'Wikipedia: Deoxycytidine', 'Wikipedia: Deoxyguanosine', 'Wikipedia: The Six Wives of Henry VIII (1970 TV series)', 'Wikipedia: Albany County, Wyoming', 'Wikipedia: Monongalia County, West Virginia', 'Wikipedia: Lincoln County, Washington', 'Wikipedia: Powhatan County, Virginia', 'Wikipedia: Bilingual education', 'Wikipedia: Bennett County, South Dakota', 'Wikipedia: Jimmy Rogers', 'Wikipedia: Burleigh County, North Dakota', 'Wikipedia: Dornier Flugzeugwerke', 'Wikipedia: Deuel County, Nebraska', 'Wikipedia: Leyton', 'Wikipedia: Wright County, Missouri', 'Wikipedia: Blish lock', 'Wikipedia: Blue Earth County, Minnesota']
[['Etymology', 'Family', 'Mythology', 'Folklore', 'See also', 'References', 'Primary sources', 'Growth along route', 'Future', 'Junction list', 'Auxiliary routes', 'See also', 'References'], ['References', 'In Irish mythology', 'In Irish history', 'Applications', 'Alleged incidents', 'See also', 'References', 'Further reading'], ['History and personnel', 'Music', 'Reception and influence', 'Discography', 'Studio albums', 'Singles', 'Demographics', '2000 census', '2010 census', 'Politics', 'Government', 'Economy', 'Communities', 'Cities', 'Towns', 'Ghost towns', 'Notts County', 'Ivory Coast national team', 'Leicester City', 'Management period', 'China', 'Philippines national team', 'Personal life', 'Managerial statistics', 'List of seasons', 'Honours', 'Theme description', 'Critical reception', 'Track listing', 'Singles and B-sides', 'Singles', 'References', 'Cast', 'Writing credits', 'Plot by episode', 'Catherine of Aragon', 'Psi-conducive variables', 'Criticism', 'Controversy', 'See also', 'References', 'Further reading'], ['Album information', 'Track listing', 'Personnel', 'Accolades', 'Charts', 'Weekly charts', 'Year-end charts', 'History', 'Geography', 'Demographics', 'Language', 'Breton', 'Politics', 'Current National Assembly Representatives', 'Tourism', 'See also', 'References', 'Towns', 'Census-designated places', 'Unincorporated communities', 'See also', 'References'], ['See also'], ['References', 'Politics', 'Healthcare', 'See also', 'References'], ['History', 'Mowhemencho Indian village', 'Manakin Town', 'Census-designated places', 'Other unincorporated communities', 'Notable residents', 'See also', 'References', 'Further reading'], ['Adjacent counties', 'Demographics', 'Education', 'Communities', 'Cities', 'Town', 'Unincorporated community', 'Politics', 'See also', 'References', 'Cities (multiple counties)', 'Cities', 'Towns', 'Census-designated place', 'Other unincorporated communities', 'Ghost towns', 'In popular culture', 'See also', 'References'], ['References'], ['Importance of Bilingual Education', 'References', 'History', 'Dispute Over Reservation Status', 'Metropolitan Statistical Area', 'Politics and government', 'United States House of Representatives', 'State Senate', 'State House of Representatives', '101st District', '102nd District', '104th District', 'County government', 'Voter registration', 'History', '2016 militia occupation', 'Geography', 'Adjacent counties', 'Time Zones', 'National protected areas', 'Demographics', '2000 census', '2010 census', 'Types', 'Arabian oud, Turkish oud, and Persian barbat', 'Tuning', 'Zenne oud', 'Oud arbi and oud ramal', 'Oud Kumethra', 'See also', 'Notes', 'References', 'Further reading', 'Career', 'Selected discography', 'References'], ['Midewiwin', 'Waabanowin', 'Jiisakiiwin', 'Migration story', 'Nanabozho stories', 'Other stories', 'See also', 'References', 'Further reading'], ['Bibliography', "Légendes d'Aujourd'hui", 'Nikopol Trilogy', 'The Dormant Beast', 'Trilogie du Coup de sang', 'Other', 'English translations', 'Comics in Heavy Metal Magazine', 'Comic Book Albums', 'NBM'], ['History', 'Geography', 'Townships', 'See also', 'References'], ['OLE 2.0', 'OLE custom controls', 'Technical details', 'OLE object', 'OLE container', 'Other', 'Competition', 'Interoperability', 'See also', 'References', 'Villages', 'Unincorporated communities', 'Townships', 'Politics', 'See also', 'References', 'The arts in Brockley', 'Politics', 'Notable residents', 'Nearest places', 'Nearest railway stations', 'In popular culture', 'References', 'Further reading', 'History and features', 'Geography', 'Government and politics', 'Communities', 'City', 'Town', 'Unincorporated communities', 'See also', 'References'], ['See also', 'History', 'Geography', 'Adjacent counties', 'Major highways', 'Demographics', 'Religion', 'Education', 'Public schools', 'Private schools', 'Public libraries', 'References'], ['Invention', 'History', 'Geography', 'Major highways', 'Lakes===', 'Adjacent counties']]



['Wikipedia: Ambisagrus', 'Wikipedia: Damara', 'Wikipedia: Damona', 'Wikipedia: Taranis', 'Wikipedia: List of companies of France', 'Wikipedia: Santa Cruz County, Arizona', 'Wikipedia: Splashdown', 'Wikipedia: Uridine', 'Wikipedia: Virginity', 'Wikipedia: Corey Feldman', 'Wikipedia: Indre', 'Wikipedia: Accomack County, Virginia', 'Wikipedia: Montague County, Texas', 'Wikipedia: Colorado County, Texas', 'Wikipedia: Ah Peku', 'Wikipedia: Pitchshifter', 'Wikipedia: Horned Serpent', 'Wikipedia: Interstate 77', 'Wikipedia: Merrimack County, New Hampshire', 'Wikipedia: Brondesbury', 'Wikipedia: Walworth', 'Wikipedia: DeSoto County, Mississippi']
[['Secondary sources', 'Notes', 'References', 'See also', 'Annalistic references', 'References', 'Etymology', 'Construction and upgrades', 'College football', 'NFL', 'Film appearances', 'Historic appearances', 'See also', 'References', 'Live and other releases', 'References'], ['Census-designated places', 'Other unincorporated communities', 'County population ranking', 'See also', 'References'], ['Manager', 'References'], ['B-sides', 'Personnel', 'Release history', 'Charts', 'Weekly charts', 'Certifications', 'References'], ['See also', 'References', 'Anne Boleyn', 'Jane Seymour', 'Anne of Cleves', 'Catherine Howard', 'Catherine Parr', 'Reception', 'Awards and honours', 'Prix Italia, 1970', 'BAFTA Awards, 1971', 'Emmy Awards, 1972', 'Etymology', 'Culture', 'Concept', 'Definitions of virginity loss', 'Early loss of virginity', 'Female virginity', 'Certifications and sales', 'References'], [], ['History', 'Geography', 'History', 'Geography', 'Adjacent counties', 'National protected areas', 'Major highways', 'Demographics', '2000 census', 'History', 'Geography', 'Adjacent counties', 'Major Highways', 'Rivers, streams, and lakes', 'Demographics', '2000 census', '2010 census', 'Politics', 'Education', 'History', 'Geography and climate', 'Geographic features', 'Major highways', 'Adjacent counties', 'National protected area', 'Demographics', '2000 census', 'Powhatan County', 'Geography', 'Adjacent counties', 'Major highways', 'Demographics', 'Government', 'Education', 'Notable people', 'See also', 'References', 'History', 'Geography', 'Demographics', 'Government and politics', 'Board of Supervisors', 'Constitutional officers'], ['History', 'Geography', 'History', 'Geography', 'Major highways', 'Bilingual Education Program Models', 'American Congressional Acts', 'Myths surrounding bilingual education', 'By country or region', 'Effects of mother-tongue instruction', 'See also', 'References', 'Further reading'], ['Native/Non-Native Relations', 'Geography', 'Major highways', 'Adjacent counties', 'Protected areas', 'Demographics', '2000 census', '2010 census', 'Communities', 'Cities', 'Electoral history', 'Education', 'Colleges and universities', 'Public school districts', 'Communities', 'City', 'Boroughs', 'Townships', 'Census-designated places', 'Other unincorporated communities', 'Communities', 'Cities', 'Census-designated place', 'Unincorporated communities', 'Ghost towns', 'Politics', 'Economy', 'See also', 'Footnotes', 'Further reading'], ['All articles lacking sources', 'All stub articles', 'History', 'Formation and Industrial (1989–1991)', 'Submit, Desensitized and Phoenix Festival (1992–1995)', 'The Remix War and Infotainment? (1995–1996)', 'In Native American cultures', 'Other known names', 'Outside the Americas', 'Catalan Communications (NY publishing house)', 'Humanoids Publishing', 'Filmography', 'Notes', 'References'], ['Major highways', 'Adjacent counties', 'Protected areas', 'Lakes===', 'Demographics', 'Population by decade', 'Communities', 'Cities', 'Census-designated places', 'Unincorporated communities', 'History', 'Dornier Seaplane Company', 'Dornier aircraft projects', 'Letter designations (before 1933)', '1933-1945', '1945-present', 'Dornier Automobile Projects', 'Dornier Faint Object Camera', 'Missile projects'], ['Geography', 'Adjacent counties', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Communities', 'Politics', 'See also', 'Transport', 'Rail/Underground', 'Demography', 'Economic activity groups', 'History', 'Manor and manor house', 'History', 'Demography', 'Facilities', 'Housing', 'Sports', 'Education', 'Wards and areas', 'Transport', 'Notable people', 'Filming locations', 'History', 'Politics', 'Regeneration', 'Mentions in culture', 'Notable residents', 'History', 'Geography', 'Adjacent counties', 'Major highways', 'National protected area', 'Demographics', 'Religion', 'Education', 'Public schools', 'Politics', 'Local', 'State', 'Federal', 'Political culture', 'Missouri presidential preference primaries', '2020', '2016', '2012', '2008', 'Applications', 'References'], ['Climate and weather', 'Demographics', '2000 census', 'Communities', 'Cities', 'Census-designated place', 'Unincorporated communities', 'Townships', 'Government and politics', 'See also']]



['Wikipedia: Rhodri the Great', 'Wikipedia: Dana', 'Wikipedia: Alberich', 'Wikipedia: USS Missouri (BB-63)', 'Wikipedia: Laufey', 'Wikipedia: Paris–Brest–Paris', "Wikipedia: Château d'Oiron", 'Wikipedia: Jura (department)', 'Wikipedia: Portsmouth, Virginia', 'Wikipedia: Hancock County, Tennessee', 'Wikipedia: Beadle County, South Dakota', 'Wikipedia: Lackawanna County, Pennsylvania', 'Wikipedia: Grant County, Oregon', 'Wikipedia: 657 BC', 'Wikipedia: Burke County, North Dakota', 'Wikipedia: Caldwell County, North Carolina', 'Wikipedia: Dawson County, Nebraska', 'Wikipedia: Camberwell', 'Wikipedia: Lagrange inversion theorem', 'Wikipedia: Wandsworth', 'Wikipedia: Big Stone County, Minnesota']
[['Lineage and inheritance', 'Reign', 'Succession', 'References', 'Association with the wheel', 'Later cultural references', 'See also', 'Footnotes', 'References', 'Further reading'], [], ['Mythology', 'Wagner', 'Largest firms', 'Notable firms', 'See also', 'References', 'History', 'Geography', 'Adjacent counties and municipalities', 'Major highways', 'National protected areas', 'Demographics', '2000 census', 'Missions', 'Disadvantages', 'Locations', 'Crewed spacecraft', 'Uncrewed spacecraft', 'Gallery', 'See also', 'Notes', 'Bibliography', 'Name', 'Attestations', 'References', 'Footnotes', 'Citations', 'Biosynthesis', 'Dietary sources', 'Galactose glycolysis', 'See also', 'References', 'See also', 'References'], ['Cultural value', 'Proof of virginity', 'Male virginity', 'Prevalence of virginity', 'Social psychology', 'Ethics', 'Social norms and legal implications', 'Religious views', 'Buddhism', 'Hinduism', 'Early life', 'Career', 'Child actor', 'Teen years', 'Career as an adult', "Corey's Angels", 'Lifetime Achievement Award', 'Advocacy', 'Personal life', 'Friendship with Michael Jackson', 'Politics', 'Current National Assembly Representatives', 'Tourism', 'See also', 'References'], ['2010 census', 'Communities', 'City', 'Town', 'Census-designated places', 'Unincorporated communities', 'Politics', 'See also', 'References', 'Communities', 'Cities', 'Towns', 'Magisterial districts', 'Census-designated places', 'Unincorporated communities', 'See also', 'Other sources', 'References'], ['2010 census', 'Government and politics', 'Economy', 'Communities', 'Cities', 'Towns', 'Unincorporated communities', 'Ghost towns', 'See also', 'Further reading', 'Further reading'], ['History', 'Presidential politics', 'Adjacent counties', 'National protected areas', 'Transportation', 'Airport', 'Major highways', 'Education', 'Media', 'Communities', 'Towns', 'Adjacent counties', 'National protected area', 'Demographics', 'Education', 'Transportation', 'Major highways', 'Farm to Market Roads', 'Communities', 'Cities', 'Census-designated places', 'Adjacent counties', 'National protected area', 'Demographics', 'Communities', 'Cities', 'Census-designated place', 'Other unincorporated communities', 'Ghost towns', 'Politics', 'See also', 'History', 'Geography', 'Adjacent counties', 'State protected areas', 'Census-designated places', 'Unincorporated communities', 'Former communities', 'Politics', 'See also', 'References', 'Ghost towns', 'Population ranking', 'See also', 'Parks & Recreational Places to Visit', 'References'], [], ['History', 'Geography', 'Articles lacking sources from February 2013', 'Maya gods', 'Mesoamerican mythology stubs', 'Monitored short pages', 'Spelling change and www.pitchshifter.com (1997–1999)', 'Deviant (2000–2001)', 'PSI and hiatus (2002–2003)', 'Side projects (2003–2006)', 'Return and None for All and All for One (2006–2008)', 'Hiatus (2009–2018)', 'Reunion tour (2018)', 'Band members', 'Timeline', 'Discography', 'In Europe', 'In Celtic iconography', 'Greek', 'In Mesopotamia', 'See also', 'Notes', 'References'], ['Route description', 'South Carolina', 'North Carolina', 'Virginia', 'West Virginia', 'Ohio', 'History', 'Townships', 'Politics', 'See also', 'References'], ['Spacecraft', 'See also', 'References'], ['National protected area', 'Demographics', '2000 census', '2010 census', 'Politics and government', 'County Commission', 'Legislative branch', 'Communities', 'Cities', 'Towns', 'References', 'History', 'Geography', 'First place of worship', 'Later places of worship', 'In art, literature, film and the media', 'Neighbouring areas', 'References', 'Sports clubs', 'References'], ['Transport and locale', 'Nearest places', 'Nearest underground station', 'Nearest National Rail station', 'References'], ['Private schools', 'Alternative and vocational schools', 'Public libraries', 'Politics', 'Local', 'State', 'Federal', 'Political culture', 'Missouri presidential preference primary (2008)', 'Communities', 'Communities', 'Cities', 'Villages', 'Census-designated place', 'Notable people', 'See also', 'References'], ['History', 'Early history', '19th-20th centuries', '2000 to present', 'Politics', 'Geography', 'Geographic features', 'Major highways', 'Adjacent counties', 'Demographics', 'References'], ['History']]



['Wikipedia: Anu (Irish goddess)', 'Wikipedia: Tarvos Trigaranus', 'Wikipedia: Tyrfing', 'Wikipedia: Tony Adams', 'Wikipedia: Fárbauti', 'Wikipedia: Norman Bethune', 'Wikipedia: Wood County, Wisconsin', 'Wikipedia: Mingo County, West Virginia', 'Wikipedia: Lewis County, Washington', 'Wikipedia: Mitchell County, Texas', 'Wikipedia: Collingsworth County, Texas', 'Wikipedia: Cabaguil', 'Wikipedia: Chickasaw', 'Wikipedia: Plön (district)', 'Wikipedia: Hillsborough County, New Hampshire', 'Wikipedia: Worth County, Missouri', 'Wikipedia: Dallas County, Missouri']
[['Children', 'See also', 'Notes'], ['References', 'People', 'Given name', 'Surname', 'Nickname or stage name', 'Places', 'United States', 'Enterprises', 'Art, entertainment, and media', 'Religion', 'Other', 'See also', 'Notes', 'References'], ['Legacy', 'See also', 'Notes', 'References', 'Construction', 'World War II (1944–1945)', 'Shakedown and service with Task Force 58, Admiral Mitscher', 'Service with the Third Fleet, Admiral Halsey', 'Signing of the Japanese Instrument of Surrender', 'Post-war (1946–1950)', 'The Korean War (1950–1953)', 'Deactivation', 'Reactivation (1984 to 1990)', '2010 census', 'Communities', 'Cities', 'Towns', 'Census designated places', 'Unincorporated communities', 'Ghost Towns', 'County population ranking', 'Politics', 'See also', 'Early life', 'Club career', 'International career', 'Style of play', 'Bibliography', 'Name', 'Attestations', 'The brevet', 'Controls', 'History', '1891', '1891 Quadricycle', '1901 to 1951', '1956 to present: amateur event', 'History', 'See also'], ['Sikhism', 'Judaism', 'Ancient Greece and Rome', 'Christianity', 'Islam', 'See also', 'References'], ['Relationships', 'Sexual abuse issues', 'Allegations of Sexual Harassment/assault/battery', 'Filmography', 'Features', 'Short subjects', 'Video games', 'Television work', 'Discography', 'Bibliography', 'History', 'Demographics', 'Geography', 'Politics', 'Current National Assembly Representatives', 'Climate', 'Economy', 'Geography', 'Adjacent counties', 'Natural wildlife refuges', 'Demographics', 'History', 'Geography', 'Major highways', 'References', 'Geography and natural features', 'Geographic features', 'Timeline', 'Historic sites', 'Olde Towne', 'Naval Medical Center Portsmouth', 'Seaboard Coastline Building', 'The Hill House', 'Cedar Grove Cemetery', 'Geography', 'Climate', 'Demographics', 'Census Designated Places', 'Notable people', 'In popular culture', 'Music', 'See also', 'References'], ['Other unincorporated communities', 'Ghost town', 'Politics', 'See also', 'References'], ['References'], ['History', 'Major Highways', 'Demographics', 'Culture', 'Communities', 'Town', 'Unincorporated communities', 'Politics', 'See also', 'References', 'Further reading', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'Protected areas', 'Demographics', '2000 census', 'History', 'Geography', 'Adjacent counties', 'Major Highways', 'Demographics', 'Politics and government', 'County commissioners', 'Adjacent counties', 'National protected areas', 'Demographics', '2000 census', '2010 census', 'Communities', 'Cities', 'Unincorporated communities', 'Politics', 'Economy', 'Events', 'Asia Minor', 'Greece', 'China', 'Births', 'Deaths', 'References', 'References'], ['All articles lacking sources', 'Etymology', 'History', 'Tribal lands', 'United States relations', 'Treaty of Hopewell (1786)', 'Junction list', 'Auxiliary routes', 'References'], ['History', 'Geography', 'Major highways', 'Adjacent counties and rural municipalities', 'Protected areas===', 'Lakes===', 'Demographics', '2000 census', 'History', 'Geography', 'National protected areas', 'Adjacent counties', 'Demographics', 'Law and government', 'Education', 'Elementary schools', 'K-8 schools', 'Census-designated places', 'Villages', 'See also', 'References'], ['Major highways', 'Protected areas', 'Adjacent counties', 'Demographics', 'Communities', 'Cities', 'Villages', 'Census-designated place', 'Unincorporated communities', 'Politics', 'History', 'Local government', 'The parish of Camberwell', 'The Metropolitan Borough of Camberwell', 'Industrial history', 'Former schools', 'Important buildings', 'Camberwell beauty', 'Statement', 'Example', 'Applications', 'Lagrange–Bürmann formula', 'Lambert W function', 'Binary trees', '\\frac{1}{n} {2n \\choose n-1}', 'Asymptotic approximation of integrals', 'See also', 'References', 'Toponymy', 'History', 'Geography', 'Transport', 'Churches', 'Wandsworth Prison', 'See also', 'Cities', 'Unincorporated communities', 'See also', 'References', 'Further reading'], ['Geography', 'Adjacent counties', 'Major highways', 'Demographics', 'Education', 'Attractions', 'DeSoto County Museum', 'Hernando DeSoto Park', 'Communities', 'Cities', 'Towns', 'Census-designated places', 'Unincorporated communities', 'Former communities', 'Notable people', 'Geography', 'Lakes', 'Major highways', 'Adjacent counties', 'Protected areas===', 'Climate and weather', 'Demographics', '2000 Census', 'Communities', 'Cities']]



['Wikipedia: Dann', 'Wikipedia: Kian', 'Wikipedia: Platform', 'Wikipedia: Douglas County, Nevada', 'Wikipedia: Móði and Magni', 'Wikipedia: County court', 'Wikipedia: Moshe Dayan', 'Wikipedia: Haute-Loire', 'Wikipedia: Windsor County, Vermont', 'Wikipedia: Hamilton County, Tennessee', 'Wikipedia: Gilliam County, Oregon', 'Wikipedia: 658 BC', 'Wikipedia: List of maria on the Moon', 'Wikipedia: Dawes County, Nebraska', 'Wikipedia: Limehouse', 'Wikipedia: Sheridan County, Montana', 'Wikipedia: Covington County, Mississippi', 'Wikipedia: Benton County, Minnesota']
[['Etymology', 'Paps of Anu', 'Correspondences', 'Works cited', 'Bibliography'], ['See also', 'Artists and musicians', 'Sportspeople', 'Name', 'Language', 'Gardens and parks', 'References', 'Influence on modern Fantasy', 'See also', 'Gulf War (January–February 1991)', 'Museum ship (1998 to present)', 'Appearances in popular culture', 'Awards', 'See also', 'Notes', 'References', 'Bibliography', 'Further reading'], ['References'], ['History', 'Managerial and coaching career', 'Feyenoord', 'Portsmouth', 'Gabala', 'Granada', 'Career statistics', 'As a player', 'International goals', 'Managerial statistics', 'Charitable work', 'Theories', 'Popular Culture', 'Notes', 'References', 'Time limits', 'Winners', 'Professional era', 'Amateur era', 'Pastry', 'Notes', 'References'], ['Family history', 'Early life', 'Personal life', 'Political activities', 'Spanish Civil War', 'China', 'Legacy', 'In Canada', 'In China', 'Elsewhere', 'England and Wales', 'Australia', 'Northern Ireland', 'United States', 'Municipal blendings', 'References'], ['Early life', 'Tourism', 'See also', 'References'], ['Transportation', 'Major highways', 'Airports', 'Government', 'Communities', 'Cities', 'Villages', 'Towns', 'Census-designated places', 'Unincorporated communities', 'Adjacent counties', 'Demographics', '2000 census', '2010 census', 'Politics', 'Communities', 'City', 'Towns', 'Magisterial districts', 'Historical magisterial districts', 'Major highways', 'Adjacent counties', 'National protected areas', 'Demographics', '2010 census', '2000 census', 'Government and politics', 'National level', 'Gubernatorial races', 'State representation', 'Arts and culture', 'Tourism', 'Sports', 'Government', 'Education', 'Primary and secondary schools', 'Higher education', 'Media', 'Infrastructure', 'Transportation', 'History', 'Geography', 'Adjacent counties', 'National parks', 'Major highways', 'Demographics', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Notable people', 'Communities', 'Cities', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Communities', 'City', 'Town', 'Census-designated places', 'Unincorporated community', 'Politics'], ['History', 'Geography', '2010 census', 'Communities', 'Cities', 'Towns', 'Census-designated place', 'Unincorporated communities', 'Townships', 'Politics', 'See also', 'References', 'Other county offices', 'State representatives', 'United States representatives', 'United States senator', 'Marcellus shale impact fee', 'Education', 'Colleges and universities', 'Public school districts', 'Charter schools', 'Public vocational technology schools', 'See also', 'Notes', 'References', 'Further reading'], ['Events', 'Births', 'Deaths', 'References', 'All stub articles', 'Articles lacking sources from January 2013', 'Maya gods', 'Mesoamerican mythology stubs', 'Sky and weather gods', 'Treaty of 1818', 'Colbert legacy (19th century)', 'Treaty of Pontotoc Creek and Removal (1832-1837)', 'American Civil War (1861)', 'Government', 'Treaties', 'Post–Civil War', 'State-recognized tribes', 'Culture', 'Notable Chickasaw', 'History', 'Geography', 'Coat of arms', 'Towns and municipalities', 'Map of municipalities and Ämter', 'References'], ['2010 census', 'Economy', 'Communities', 'Cities', 'Census-designated place', 'Unincorporated communities===', 'Townships', 'Politics', 'See also', 'References', 'Middle schools', 'High schools', 'Alternative schools', 'Private schools', 'College', 'Transportation', 'Major highways', 'Railroads', 'Communities', 'County Seat', 'History', 'Geography', 'Adjacent counties', 'National protected area', 'Demographics', 'Politics and government', 'County Commission', 'Legislative branch', 'See also', 'References'], ['Culture', 'Art', 'Literature', 'Festivals', 'Transport', 'Rail', 'Bus', 'Other notable residents', 'See also', 'References'], ['History', 'Etymology', 'References', 'Further reading'], ['Geography', 'Adjacent counties', 'Demographics', 'Education', 'Public schools', 'Public libraries', 'Politics', 'Public schools', 'Politics', 'Local', 'State', 'Federal', 'Political culture', 'Missouri presidential preference primary (2008)', 'Communities', 'Cities', 'Village', 'Media', 'See also', 'References', 'Suggested reading'], ['Unincorporated communities', 'Townships', 'Government and Politics', 'See also', 'References'], []]



['Wikipedia: Badb', 'Wikipedia: Dian Cecht', 'Wikipedia: Eithne', 'Wikipedia: Charles Gounod', 'Wikipedia: USS Missouri', 'Wikipedia: Shankill Butchers', 'Wikipedia: Mjølner', 'Wikipedia: Guggenheim Museum Bilbao', 'Wikipedia: Dorothy Tutin', 'Wikipedia: Solicitor', 'Wikipedia: Winnebago County, Wisconsin', 'Wikipedia: Mineral County, West Virginia', 'Wikipedia: Mills County, Texas', 'Wikipedia: Collin County, Texas', 'Wikipedia: Aurora County, South Dakota', 'Wikipedia: Citrulline', 'Wikipedia: Choctaw mythology', 'Wikipedia: Crab', 'Wikipedia: Bowman County, North Dakota', 'Wikipedia: Canonbury']
[['Representations in legends', 'Kinship', 'Similar deities', 'Etymology', 'See also', 'Writers', 'Others', 'See also', 'References', 'Ancient', 'Modern', 'See also', 'References', 'Technology', 'Physical objects and features', 'Politics', 'Arts', 'Other', 'See also', 'Geography', 'Major highways', 'Adjacent counties and city', 'National protected area', 'Demographics', '2000 census', '2010 census', 'Communities', 'Census-designated places', 'Unincorporated communities', 'Post-football career', 'In popular culture', 'Honours', 'See also', 'References'], ['Poetic Edda', 'Prose Edda', 'In popular culture', 'Notes', 'References', 'History', 'Building', 'Architecture', 'Foundation', 'Cladding', 'In film and literature', 'See also', 'References', 'Further reading'], ['Ireland', 'Footnotes', 'See also', 'Military', 'Eye patch', 'Military career', '89th Battalion', 'Jerusalem', 'Southern Command', 'Chief of Staff', 'Cross-border operations', 'Armaments', 'Escalation up to the Suez Crisis', 'History', 'Geography', 'Politics', 'Current National Assembly Representatives', 'Notable people', 'Tourism', 'See also', 'References'], ['Politics', 'See also', 'References', 'Further reading'], ['Census-designated places', 'Unincorporated communities', 'Notable people', 'See also', 'References'], ['County level', 'Communities', 'Cities', 'Town', 'Census-designated places', 'Unincorporated communities', 'See also', 'References', 'Further reading'], ['Notable people', 'Sister cities', 'See also', 'Notes', 'References', 'Bibliography'], ['2000 census', '2010 census', 'Politics', 'Transportation', 'Communities', 'Towns', 'Villages', 'Census-designated places', 'Unincorporated communities', 'See also', 'Town', 'Census-designated place', 'Politics', 'See also', 'References'], ['See also', 'References'], ['Natural areas of interest', 'Adjacent counties', 'National protected area', 'State protected areas', 'Major highways', 'Government', 'Executive Branch', 'County Mayor', 'Chief of Staff', 'Other elected officials', 'Bibliography', 'History', 'Geography', 'Intermediate unit', 'Diocesan schools', 'Private schools', 'Libraries', 'Recreation', 'Communities', 'Cities', 'Boroughs', 'Townships', 'Census-designated places', 'History', 'Geography', 'Adjacent counties', 'Demographics', '2000 census', '2010 census', 'Communities', 'Cities', 'Biosynthesis', 'Function', 'See also', 'References', 'Maria and Oceanus', 'Lacus', 'Sinus and Paludes', 'See also', 'References'], ['See also', 'Footnotes', 'Further reading'], ['Description', 'Environment', 'Evolution', 'Sexual dimorphism', 'Reproduction and lifecycle', 'History', 'Geography', 'Major highways', 'Towns', 'Village', 'Census-designated place', 'Other unincorporated communities', 'See also', 'References'], ['Communities', 'Cities', 'Towns', 'Census-designated places', 'Villages', 'Former towns', 'See also', 'References'], ['History', 'Geography', 'Major highways', 'Adjacent counties', 'National protected areas', 'State protected areas', 'Demographics', 'Communities', 'Cities', 'Village'], ['Geography', 'Places of interest', 'Maritime links', 'Modern Limehouse', 'Politics', 'In popular culture', 'Society', 'Education', 'Transport', 'Rail', 'Buses', 'Roads, cycling, walking', 'History', 'Geography', 'Major highways', 'Adjacent counties and rural municipalities', 'National protected area', 'Demographics', '2000 census', '2010 census', 'Politics', 'Communities', 'Local', 'State', 'Federal', 'Missouri presidential preference primary (2008)', 'Communities', 'Cities', 'Villages', 'See also', 'References'], ['Census-designated place', 'Other unincorporated places', 'Notable People', 'See also', 'References', 'Further reading'], ['History', 'Geography', 'Adjacent counties', 'Transportation', 'Major highways', 'Minor highways', 'Demographics', '2010 Census', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'Lakes===', 'Protected areas===', 'Climate and weather']]



['Wikipedia: Macha', 'Wikipedia: Twm Siôn Cati', 'Wikipedia: Tresor (club)', 'Wikipedia: Loire-Atlantique', 'Wikipedia: Klickitat County, Washington', 'Wikipedia: Poquoson, Virginia', 'Wikipedia: Windham County, Vermont', 'Wikipedia: Juniata County, Pennsylvania', 'Wikipedia: Van Wert County, Ohio', 'Wikipedia: Chumash people', 'Wikipedia: Cabarrus County, North Carolina', 'Wikipedia: Grafton County, New Hampshire', 'Wikipedia: Dakota County, Nebraska', 'Wikipedia: Malden', 'Wikipedia: Webster County, Missouri', 'Wikipedia: Dade County, Missouri']
[['Footnotes', 'References', 'Etymology and alias', 'Etymology', 'Genealogy', 'Curative well', 'Boiling of the River Barrow', "Healing of Nuada's arm and the death of Miach", 'Additional appearances', 'See also', 'Explanatory notes', 'References', 'Background', 'Tall tales', 'Memorabilia', 'Life and career', 'Early years', 'Prix de Rome', 'Rising reputation', 'Operatic successes and failures', 'London', 'Later years', 'Music', 'History', 'Discography', 'See also', 'References'], ['Politics', 'Economy', 'Major employers', 'Education', 'Lake Tahoe', 'Carson Valley', 'Private schools', 'Media', 'In popular culture', 'See also', 'Timeline', 'Background', 'Formation', 'Cut-throat killings', 'Capture and imprisonment', "Murphy's release and death", 'Other activities', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'Virtual Building', 'Exhibitions', 'Economic and media impact', 'Criticism', 'Management and 2007 embezzlement incident', 'Gallery', 'See also', 'References'], ['Biography', 'Career', 'Theatre', 'Work with the RSC', 'Films and television', 'Awards and nominations', 'Filmography', 'References', 'Australia', 'England and Wales', 'Solicitors and barristers', 'Regulatory scheme', 'Training and qualifications', 'Overseas qualified lawyers', 'Hong Kong', 'Ireland', 'Japan', 'United States', 'Political career', 'Six-Day War (1967)', '1973 Yom Kippur War', 'Foreign Minister', 'Family', 'Death and legacy', 'Published works', 'References', 'Further reading'], ['History', 'Geography', 'Demographics', 'History', 'Geography', 'Adjacent counties', 'Major highways', 'Airports', 'Demographics', 'Government', 'Politics', 'History', 'Ancient history', '1863 to present', 'Geography', 'Mountains', 'Rivers', 'Minerals', 'History', 'Geography', 'Geographic features', 'History', 'Government and law', 'Politics', 'Media', 'Geography', 'Climate', 'References'], ['History', 'History', 'Geography', 'Adjacent counties', 'Major highways', 'Demographics', 'Media', 'Communities', 'History', 'Geography', 'Lakes', 'Major highways', 'Neighboring counties', 'Demographics', '2018 Texas Population Estimate Program', '2010 Census', '2000 Census', 'Government, courts, and politics', 'County Board of Commissioners', 'County Judicial System', 'District Attorney', 'Chancery Court', 'Circuit Court', 'Criminal Court', 'General Sessions Court', 'Juvenile Court', 'Demographics', '2010 census', 'Major highways', 'Adjacent counties', 'Protected areas', 'Demographics', '2000 census', '2010 census', 'Communities', 'Cities', 'Town', 'Census-designated places', 'Unincorporated communities', 'Population ranking', 'See also', 'References', 'Further reading'], ['Unincorporated communities', 'Government and infrastructure', 'Politics', 'Economy', 'See also', 'References', 'Further reading'], ['Geography', 'Adjacent counties', 'Demographics', 'History', 'Chumash environment before European contact (pre-1542)', 'Chumash diet', 'The beginning of the Chumash tribe', 'European contact', 'Choctaw creation', 'First version', 'Second version', 'Supernatural Native America', 'Ancient religion', 'Interactions between animals and people', 'Little people and other human-like creatures', 'Shadow-like beings', 'Birds of the dark', 'Behaviour', 'Human consumption', 'Fisheries', 'Cookery', 'Pain', 'Classification', 'Superfamilies', 'Cultural influences', 'References'], ['Adjacent counties', 'Lakes===', 'Demographics', '2000 census', '2010 census', 'Communities', 'Cities', 'Unincorporated communities===', 'Townships', 'Unorganized Territories', 'History', 'Agricultural and industrial development', 'National Register of Historic Places', 'Transportation and communications', 'Geography', 'Adjacent counties', 'History', 'Geography', 'Adjacent counties', 'National protected area', 'Unincorporated communities', 'Ghost town', 'Politics', 'See also', 'Further reading', 'References', 'Literary and artistic connections', 'Churches', 'Groups in Canonbury', 'Politics', 'Demography', 'Transport and locale', 'Nearest stations', 'Buses', 'Education', 'Notable residents', 'Waterways', 'Notable residents', 'Gallery', 'References'], ['City', 'Towns', 'Census-designated places', 'Unincorporated communities', 'Ghost towns', 'See also', 'References'], ['History', 'Geography', 'Adjacent counties', 'Geography', 'Adjacent counties', 'Major highways', 'Demographics', 'Education', 'Public schools', '2000 Census', 'Politics', 'National politics', 'State politics', 'Local politics', 'Visitor attractions', 'Okatoma River', 'Mitchell Farms', 'Grand Paradise Water Park', 'Hot Coffee, Mississippi', 'Demographics', 'Communities', 'Cities', 'Townships', 'Census-designated place', 'Unincorporated communities', 'Ghost towns===', 'Government and politics', 'See also', 'References']]



['Wikipedia: Miach', 'Wikipedia: Verbeia', 'Wikipedia: Tomsk Oblast', 'Wikipedia: Yavapai County, Arizona', 'Wikipedia: Herpetoculture', 'Wikipedia: Adenosine', 'Wikipedia: William Butterfield', 'Wikipedia: Robert Guéï', 'Wikipedia: A Night to Remember (book)', 'Wikipedia: Bonnie Bassler', 'Wikipedia: Atomic Energy Commission', 'Wikipedia: Douglas County, Oregon', 'Wikipedia: Johann Heinrich Lambert', 'Wikipedia: Bottineau County, North Dakota', 'Wikipedia: Lists of New Zealanders', 'Wikipedia: Wanstead', 'Wikipedia: Beltrami County, Minnesota']
[['The multiple Machas', 'Macha, daughter of Partholón', 'Macha, wife of Nemed', 'Macha, daughter of Ernmas', 'Macha Mong Ruad', 'Macha, wife of Cruinniuc', 'Relationships of the Machas', 'See also', 'References', 'Citations', 'Sources', 'Etymology', 'Television', 'References'], ['Operas', 'Orchestral and chamber music', 'Religious music', 'Songs', 'Legacy', 'Music files', 'Notes, references and sources', 'Notes', 'References', 'Sources', 'Administrative Divisions', 'Geography', 'Climate', 'References'], ['History', 'Aftermath', 'Gang members', 'List of victims', 'Song', 'See also', 'References', 'Sources'], ['Etymology', 'Equipment', 'Enclosures', 'Vivaria', 'Incubators', 'Medical uses', 'Supraventricular tachycardia', 'Nuclear stress test', 'Dosage'], ['Biography', 'Works', 'Historical usage', 'Modern usage', 'Common meaning of solicitor', 'See also', 'References'], ['Publication history', 'Critical commentaries', 'Screen adaptations', 'Culture', 'Politics', 'Current National Assembly Representatives', 'Transport', 'Tourism', 'See also', 'References'], ['Communities', 'Cities', 'Villages', 'Towns', 'Census-designated places', 'Unincorporated communities', 'Ghost towns/neighborhoods', 'See also', 'References', 'Further reading', 'Demographics', '2000 census', '2010 census', 'Politics', 'Government', 'County Commission', 'Commissioners', 'Appointed commissions', 'Office of Assessor', 'Circuit Clerk', 'Major highways', 'Adjacent counties', 'National protected areas', 'Demographics', '2000 census', '2010 census', 'Communities', 'Cities', 'Census-designated places', 'Unincorporated communities', 'National protected area', 'Infrastructure', 'Demographics', 'Culture', 'Education', 'Sister cities and schools', 'Notable people', 'Gallery', 'Notes', 'References', 'Geography', 'Adjacent counties', 'Reservoirs', 'National protected areas', 'Demographics', '2000 census', '2010 census', 'Politics and government', 'County law enforcement', 'Transportation', 'City', 'Town', 'Unincorporated communities', 'Ghost Town', 'Politics', 'See also', 'References'], ['Government', 'County Commissioners====', 'County Officials ====', 'Politics', 'State Board of Education member ====', 'Texas State Representatives ====', 'Texas State Senators ====', 'United States Representatives ====', 'Education', 'K-12 education', '2000 census', 'Politics', 'Education', 'Colleges and universities', 'Public schools', 'Communities', 'Cities', 'Towns', 'Census-designated places', 'Unincorporated communities', 'Townships', 'Politics', 'See also', 'References', 'History', 'Historic places', 'Geography', 'Rivers and watersheds', 'Land use', 'Climate', 'Adjacent counties', 'See also', '2000 census', '2010 census', 'Politics', 'Government', 'Communities', 'Cities', 'Villages', 'Townships', 'Unincorporated communities', 'See also', 'Chumash bands', 'Population', 'Languages', 'Culture', 'Basketry', 'Bead manufacture and trading', 'Cuisine', 'Herbalism', 'Rock art', 'Scorpion tree', 'Animal-explained occurrences', 'Mythological tales', 'Origin of Poison', 'Brothers Tashka and Walo', "Dog's Lifespan", 'Origin of Grasshoppers and Ants', 'Choctaw legends', 'The Hunter of the Sun', 'Nane Chaha', 'See also', 'Biography', 'Work', 'Mathematics', 'Politics', 'See also', 'References'], ['Major highways', 'Demographics', 'Religion', 'Government', 'Education', 'Medical Services', 'Attractions', 'NASCAR', 'Media', 'Communities', 'Demographics', '2000 census', '2010 census', 'Politics and government', 'County Commission', 'Legislative branch', 'Members', 'Media', 'Communities', 'City', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Communities', 'Cities', 'References'], ['Academia', 'Places', 'United Kingdom', 'United States', 'Elsewhere', 'People with the surname', 'See also', 'Name', 'History', 'Astronomy', 'The George public house', 'Schools and education', 'Major highways', 'Demographics', 'Politics', 'Local', 'State', 'Federal', 'Political culture', 'Missouri presidential preference primary', 'Education', 'Public schools', 'Private schools', 'Public libraries', 'Politics', 'Local', 'State', 'Federal', 'Political Culture', 'Missouri presidential preference primary (2008)', 'Communities', 'See also', 'Communities', 'Cities', 'Towns', 'Unincorporated communities', 'See also', 'Notable people', 'References'], [], ['Geography', 'Major highways']]



['Wikipedia: Ancamna', 'Wikipedia: World Athletics', 'Wikipedia: Vosegus', 'Wikipedia: Susana Giménez', 'Wikipedia: Odds BK', 'Wikipedia: The Broads', 'Wikipedia: Central Valley', 'Wikipedia: I Drove All Night', 'Wikipedia: Haute-Garonne', 'Wikipedia: Waushara County, Wisconsin', 'Wikipedia: Kittitas County, Washington', 'Wikipedia: Pittsylvania County, Virginia', 'Wikipedia: Milam County, Texas', 'Wikipedia: Hamblen County, Tennessee', 'Wikipedia: Union County, Ohio', 'Wikipedia: Kennewick Man', 'Wikipedia: Custer County, Nebraska', 'Wikipedia: Bolt action', 'Wikipedia: Crawford County, Missouri', 'Wikipedia: Copiah County, Mississippi']
[['Works cited', 'Further reading'], ['Significance', 'References'], ['Origins', 'The Swastika Stone', 'Etymology', 'References', 'Sources'], ['Books', 'Journals'], ['History', 'Politics', 'Economy', 'Demographics', 'Religion', 'Education', 'Transportation', 'Air Transport', 'Rail Transport', 'Road Transport', 'Geography', 'Adjacent counties', 'Major highways', 'National protected areas', 'Land ownership and management', 'Flora and fauna', 'Attractions', 'Demographics', '2000 census', '2010 census', 'History', 'Home ground', 'Players and staff', 'First-team squad', 'Out on loan', 'Husbandry', 'Feeding', 'Breeding', 'Controversy', 'See also', 'Notes'], ['Drug interactions', 'Contraindications', 'Side effects', 'Pharmacological effects', 'Adenosine receptors', 'Ghrelin/growth hormone secretagogue receptor', 'Mechanism of action', 'Metabolism', 'Research', 'Viruses', 'References', 'Bibliography'], ['Biography', 'See also', 'References', 'Collection', 'References', 'Bibliography', 'History', 'Geography', 'Politics', 'Departmental Council of Haute-Garonne', 'Members of the National Assembly'], ['History', 'Geography', 'County Clerk', 'State Representatives', 'House of Delegates', 'Senate', 'Economy', 'Industrial parks', 'Education', 'High schools', 'Colleges', 'Transportation', 'Government and politics', 'See also', 'Notes', 'References'], [], ['History', 'Geography', 'Roads and highways', 'Bus', 'Rail', 'Communities', 'Towns', 'Villages', 'Census-designated places', 'Other villages', 'See also', 'References', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Education', 'Colleges and universities', 'Parks', 'Media', 'Communities', 'Cities (multiple counties)', 'Cities', 'Towns', 'Census-designated place', 'Other unincorporated communities', 'Historical communities', 'See also', 'Further reading', 'References'], ['Early life and education', 'Research', 'Awards and honors', 'Selected works', 'References'], ['Geology', 'Demographics', 'Law and government', 'State Senate===', 'State House of Representatives===', 'United States House of Representatives', 'United States Senate', 'Infrastructure, industry, and economy', 'Economic and employment statistics', 'Housing', 'History', 'Geography', 'National protected areas', 'Adjacent counties', 'Demographics', '2000 census', '2010 census', 'References'], ['History', 'Before Spanish contact', 'Spanish arrival and the Mission era', 'Contemporary times', 'Santa Ynez history', 'Produce initiative', 'Notable people', 'Places of significance', 'See also', 'Notes', 'References', 'References'], ['Discovery', 'Map projection', 'Physics', 'Philosophy', 'Astronomy', 'Meteorology', 'Logic', 'See also', 'Notes', 'References'], ['Geography', 'Adjacent counties and rural municipalities', 'Major highways', 'Protected areas===', 'Lakes===', 'Demographics', '2000 census', '2010 census', 'Communities', 'Cities', 'Towns', 'Townships', 'Other communities', 'See also', 'References'], ['Towns', 'Township', 'Census-designated places', 'Villages', 'See also', 'References'], ['Villages', 'Unincorporated communities', 'Politics', 'See also', 'References', 'Actors', 'Architecture', 'Art', 'Broadcasters', 'Business', 'Craft, design and fashion', 'Ethnicity', 'Film', 'Inventors', 'Executed', 'History', 'Major bolt-action systems', 'Rotating bolt', 'Mauser', 'Lee–Enfield', 'Places of worship', 'Local flora and fauna', 'Politics', 'Transport innovation', 'Military activity', 'Transport and locale', 'Underground stations', 'Notable residents', 'See also', 'References', 'Private schools', 'Public libraries', 'Communities', 'Cities', 'Village', 'Unincorporated communities', 'See also', 'References', 'Further reading'], ['References'], ['Geography', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'National protected area', 'Adjacent counties', 'Protected areas===', 'Climate and weather', 'Demographics', 'Crime', 'Communities', 'Cities', 'Townships', 'Unorganized territories', 'Census-designated places']]



['Wikipedia: Gates of Cairo', 'Wikipedia: Joseph Kittinger', 'Wikipedia: Novosibirsk Oblast', 'Wikipedia: Miming', 'Wikipedia: Brok, Masovian Voivodeship', 'Wikipedia: Washington County, Vermont', 'Wikipedia: Coleman County, Texas', 'Wikipedia: Saint-Rémy-de-Provence', 'Wikipedia: The King in Yellow', 'Wikipedia: Neoliberalism', 'Wikipedia: Burke County, North Carolina', 'Wikipedia: Artaxerxes II of Persia', 'Wikipedia: Wapping', 'Wikipedia: Wayne County, Missouri', 'Wikipedia: Eingana']
[['Gates', 'See also', 'References'], ['History', 'Governance', 'Presidents', 'World Athletics Council', "Athletes' Commission", 'Chairpersons', 'Area associations', 'Partner organisations', 'Rules and regulations', 'Age', 'References', 'Early life', 'Career', 'Personal life', 'Filmography', 'Awards', 'Martín Fierro Awards', 'Other awards', 'Notes', 'References'], ['See also', 'References'], ['Politics', 'Communities', 'Cities', 'Towns', 'Census-designated places', 'Indian communities', 'Unincorporated communities', 'Ghost towns', 'Geographic features', 'County population ranking', 'Coaching staff', 'Achievements', 'Recent history', 'European record', 'Overview', 'Matches', 'Managers', 'References'], ['See also', 'Anti-inflammatory properties', 'Central nervous system', 'Hair', 'Sleep', 'Vasodilation', 'See also', 'References', '"Broads National Park" name', 'Management', 'History', 'Recreation', 'Geography', 'River Bure', 'River Thurne', 'River Ant', 'River Yare', 'River Chet', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages with short descriptions', 'Place name disambiguation pages', 'Short description is different from Wikidata', 'Cyndi Lauper version', 'Formats and track listings', 'Charts', 'Weekly charts', 'Year-end charts', 'Roy Orbison version', 'Celine Dion version', 'Background', 'Composition', 'Critical reception', 'Demographics', 'Tourism', 'Main sights', 'Winter sports', 'See also', 'References'], ['Major highways', 'Airports', 'Adjacent counties', 'Climate', 'Demographics', 'Communities', 'Cities', 'Villages', 'Towns', 'Census-designated places', 'Airport', 'Rail', 'Major highways', 'Parks and public recreational attractions', 'Larenim Park', 'Barnum Whitewater Area', 'MINCO Park', 'Van Myra Campground', 'Dam Site #21', 'Jennings Randolph Lake', 'History', 'Geography', 'Geographic features', 'Major highways', 'Adjacent counties', 'National protected areas', 'Demographics', '2000 census', 'Districts', 'Adjacent counties and cities', 'Major highways', 'Demographics', 'Government', 'Communities', 'Incorporated Towns', 'Census-designated places', 'Other unincorporated communities', 'Unincorporated neighborhoods within incorporated towns'], ['History', 'Geography', 'Communities', 'Cities', 'Town', 'Unincorporated communities', 'Ghost towns', 'Politics', 'See also', 'References'], ['Ghost towns', 'Notable people', 'See also', 'References'], ['History', 'Historic sites', 'Geography', 'Adjacent counties', 'State protected areas', 'Major highways', 'Waterways', 'Demographics', 'Economy', 'History', 'Geography', 'Transportation', 'Climate', 'Population', 'Sights', 'Crime', 'Recreation', 'Transportation', 'Roads', 'Bridges', 'Other transportation', 'Education', 'Schools and school districts', 'Statistics', 'Biology', 'Communities', 'Cities', 'Census-designated places', 'Unincorporated communities', 'Politics', 'Economy', 'Media', 'See also', 'Notes', 'References', 'Early history', 'Original settlements', 'Formation', 'County seat', 'Early growth', 'Infrastructure', 'Agriculture', 'Commerce and industry', 'Medicine', 'Legal', 'Further reading'], ['Stories', 'Ethnological investigations', 'Scientific significance', 'Scientific criticism of Owsley study', 'Ownership controversy', 'DNA', 'Race factor', '2017: Return and reburial', 'See also', 'References', 'Bibliography', 'Terminology', 'Origins', 'Current usage', 'Cities', 'Unincorporated communities===', 'Townships', 'Politics', 'See also', 'References'], ['History', 'Geography', 'National protected areas', 'Adjacent counties', 'Major highways', 'Demographics', 'Rise to power', 'Dynastic conflict with Cyrus the Younger (401 BC)', 'Reign', 'Conflict against Sparta (396-387 BC)', 'Final agreement with Sparta (387 BC)', 'Egypt campaign (373 BC)', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Communities', 'Cities', 'Villages', 'Census-designated place', 'Literary', 'Māori', 'Medicine', 'Military', 'Music', 'Police', 'Politics', 'Religion', 'Science', 'Sports', 'Mosin–Nagant', 'Other designs', 'Straight pull', 'Operating the bolt', 'Bolt knob', 'Loading', 'References', 'Further reading'], [], ['History', 'Origins', 'History', 'Geography', 'Adjacent counties', 'Adjacent counties', 'Major highways', 'National protected area', 'Demographics', 'Education', 'Public schools', 'Private schools', 'Public libraries', 'Politics', 'Local', 'Demographics', 'Tomato Festival', 'Education', 'Communities', 'Cities', 'Towns', 'Village', 'Unincorporated communities', 'Ghost town', 'Politics', 'Unincorporated communities===', 'Government and politics', 'See also', 'References'], []]



['Wikipedia: Andarta', 'Wikipedia: History of music', 'Wikipedia: Yuma County, Arizona', 'Wikipedia: Crucifix (band)', 'Wikipedia: G-spot', 'Wikipedia: Deoxyadenosine', 'Wikipedia: Richard Mentor Johnson', 'Wikipedia: Love Boat (study tour)', 'Wikipedia: Loiret', 'Wikipedia: Petersburg, Virginia', 'Wikipedia: Midland County, Texas', 'Wikipedia: Battle of Tippecanoe', 'Wikipedia: Interstate 44', 'Wikipedia: Levinas', 'Wikipedia: Billings County, North Dakota', 'Wikipedia: Cuming County, Nebraska', 'Wikipedia: Carshalton', 'Wikipedia: Mayfair', 'Wikipedia: Coahoma County, Mississippi', 'Wikipedia: Becker County, Minnesota']
[['References', 'Doping', 'Sex', 'Competitions', 'World Athletics Series', 'One-day events', 'Awards', 'Doping controversy', 'See also', 'References'], ['Early life and military career', 'Project Excelsior', 'Project Stargazer', 'Later USAF career', 'Military awards and decorations', 'Later civilian career', 'Legacy', 'Colonel Joe Kittinger Park', 'See also', 'Eras of music', 'Prehistoric music', 'Ancient music', 'Geography', 'Overview', 'Natural resources', 'Climate', 'History', 'Politics', 'Administrative divisions', 'Demographics', 'Settlements', 'Religion', 'See also', 'References', 'Sources'], ['History', 'Members', 'Discography', 'Compilation', 'Notable people', 'References'], ['See also', 'References', 'River Waveney', 'River Wensum', 'Trinity Broads', 'Eutrophication from Farming and Sewage', 'Ecology', 'See also', 'References'], ['Origins of the Study Tour', 'Changes from 1967 to 1999', 'Addition of Ocean Campus in 1992', 'Death of student in 1993 and subsequent lawsuit', 'Changes from 2000 to 2012', 'Commercial performance', 'Music video and promotion', 'Remixes', 'Certifications and sales', 'Release history', 'See also', 'References'], ['History', 'Geography', 'Economy', 'Politics', 'Current National Assembly Representatives', 'Transport', 'Unincorporated communities', 'Ghost towns', 'Politics', 'See also', 'References', 'Further reading'], ['Golf courses', 'Communities', 'City', 'Towns', 'Magisterial districts', 'Census-designated places', 'Unincorporated communities', 'Historical sites', 'Notable people', 'See also', '2010 census', 'Flora and fauna', 'Communities', 'Cities', 'Census-designated places', 'Unincorporated communities', 'Events', 'Politics', 'See also', 'References', 'See also', 'References'], ['Major highways', 'Adjacent counties', 'National protected area', 'Demographics', '2010 census', 'Elections', 'Communities', 'Cities', 'Towns', 'Villages', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Education', 'Communities', 'Cities', 'Government', 'Elected Officials', 'Appointed Officials', 'Communities', 'City', 'Unincorporated communities', 'Public Education', 'Elementary Schools', 'Middle Schools', 'High Schools', 'Notable people', 'See also', 'References'], ['Communities', 'Boroughs', 'Townships', 'Unincorporated community', 'Census-designated places', 'Population ranking', 'See also', 'References'], ['Further reading', 'Route description', 'Texas', 'Media', 'Banking', 'Modern development', 'Military heritage', 'Geography', 'Adjacent counties', 'Major highways', 'Demographics', '2000 census', '2010 census', 'List of stories', 'The play called The King in Yellow', 'Influences', 'Cthulhu Mythos', 'References', 'Further reading'], ['Further reading'], ['All set index articles', 'Early history', 'Walter Lippmann Colloquium', 'Mont Pelerin Society', 'Post–World War II neoliberal currents', 'Germany', 'Latin America', 'Chile', 'Argentina', 'Mexico', 'Brazil', 'Geography', 'Major highways', 'Adjacent counties', 'Protected areas', 'Demographics', '2000 census', 'Communities', 'Cities', 'Towns', 'Townships', 'Census-designated places', 'Unincorporated communities', 'Politics, law and government', 'In popular culture', 'See also', 'References', 'Unfolding of the Egyptian campaign', 'Revolt of the Satraps (372-362 BC)', 'Peace mediation in the Theban–Spartan War (368-366 BC)', 'Building projects', 'Tomb at Persepolis', 'Legacy', 'Identification', 'Issue', 'See also', 'References', 'Unincorporated communities', 'Townships', 'Politics', 'See also', 'References', 'By ethnicity or descent', 'Other lists', 'See also'], ['Geography', 'History', 'Early history', 'Dockland area', 'Modern times', 'Wapping dispute', 'Society', 'Landmarks', 'Literary and cultural references', 'Notable people', 'Education', 'Transport', 'See also', 'Major highways', 'National protected areas', 'Demographics', 'Religion', 'Politics', 'Local', 'State', 'Federal', 'Political culture', 'Missouri presidential preference primary (2008)', 'State', 'Federal', 'Political culture', '2008 Missouri presidential primary', 'Communities', 'See also', 'References'], ['See also', 'References'], ['Extract', 'References']]



['Wikipedia: Andraste', 'Wikipedia: Slane', 'Wikipedia: Marne (department)', 'Wikipedia: Silent majority', 'Wikipedia: Seven twenty-seven', 'Wikipedia: Santa Cruz', 'Wikipedia: My First Night Without You', 'Wikipedia: Lot-et-Garonne', 'Wikipedia: Waupaca County, Wisconsin', 'Wikipedia: Mercer County, West Virginia', 'Wikipedia: Guy Ritchie', 'Wikipedia: Rutland County, Vermont', 'Wikipedia: Coke County, Texas', 'Wikipedia: Jefferson County, Pennsylvania', 'Wikipedia: Zipacna', 'Wikipedia: Creek mythology', 'Wikipedia: Buncombe County, North Carolina', 'Wikipedia: Coös County, New Hampshire', 'Wikipedia: Sanders County, Montana', 'Wikipedia: Cooper County, Missouri']
[['Popular culture', 'References'], ['History', 'Population and demographics', 'Sport', 'References', 'Further reading'], ['Biblical period', 'Early music', 'Western art music', 'Medieval music', '20th and 21st-century music', 'Popular music', 'Classical music outside Europe', 'Africa', 'Byzantium', 'Asia', 'Economy', 'Industry', 'Energy', 'Trade and investment', 'References', 'Notes', 'Sources', 'History', 'Economy', 'Government', 'Geography', 'Adjacent counties and municipalities', 'Major highways', 'National protected areas', 'Climate', 'Demographics'], ['Euphemism for the dead', 'Voters around the world', 'Theorized structure', 'Location', 'Vagina and clitoris', 'Female prostate', 'Clinical significance', 'Society and culture', 'General skepticism', 'Nerve endings', 'Early life and education', 'Career', 'Marriage and family', 'Political career', 'Early years', 'War of 1812', 'Initial service', 'All articles lacking sources', 'Articles lacking sources from March 2009', 'Stud poker', 'Vying games', 'Changes to Chientan Campus', 'Changes from 2013 to current program', 'In popular culture', 'Notable participants', 'References'], ['Song information', 'Music video', 'Chart performance', 'Track listing', 'References', 'Tourism', 'See also', 'References'], ['History', 'Geography', 'Major highways', 'Airports', 'Adjacent counties', 'Demographics', 'Footnotes', 'References', 'Geography', 'Further reading'], ['Life and career', 'History', 'Indigenous peoples', 'Founding', 'Revolutionary War Period', 'Free Black Community in Petersburg', 'Antebellum Period', 'American Civil War', 'Siege of Petersburg', 'Reconstruction era', 'Readjuster era', 'Census-designated places', 'Unincorporated communities', 'See also', 'References'], ['Demographics', 'Oil & Gas Activity Summary', 'Politics', 'Communities', 'Cities', 'Unincorporated communities', 'Ghost towns', 'See also', 'References'], ['Town', 'Unincorporated communities', 'Politics', 'See also', 'References'], ['Community College', 'Alternative School', 'Private Education', 'Lakeway Christian Schools', "All Saints' Episcopal School", 'Faith Christian Academy', 'Morristown Covenant Academy', 'Politics', 'See also', 'References', 'Background', 'Battle', 'Aftermath', 'Memorial', 'See also', 'Notes', 'Footnotes', 'References', 'Further reading', 'Geography', 'Adjacent counties', 'Major highways', 'Streams', 'Oklahoma', 'Missouri', 'History', 'Junction list', 'Auxiliary routes', 'Business routes', 'See also', 'References'], ['Economy', 'Jack Foust', 'Industrial', 'Research and development', 'Government', 'Politics', 'Communities', 'Cities', 'Villages', 'Townships', 'The Four Hundred Boys', 'Hero twins', 'Appearances in popular culture', 'References', 'Articles with short description', 'Short description is different from Wikidata', 'Surnames', 'United Kingdom', 'United States', 'Asia-Pacific', 'China', 'Taiwan', 'Japan', 'South Korea', 'India', 'Australia', 'New Zealand', '2010 census', 'Population by decade', 'Politics', 'Recreation', 'Communities', 'City', 'Unorganized Territories', 'Unincorporated communities', 'See also', 'References'], ['History', 'Geography'], ['History', 'Geography', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Communities', 'Cities', 'Villages', 'History', 'Geography', 'Landmarks', 'All Saints Church', 'Strawberry Lodge', 'Lavender Fields', 'Carshalton House Water Tower', 'Little Holland House', 'The Orangery', 'The May Fair', 'Grosvenor family and estates', 'Modern history', 'Properties', 'Churches', 'Hotels', 'Retail', 'Museums and galleries', 'Business', 'Other', 'References', 'Bibliography'], ['Education', 'Public schools', 'Private schools', 'Public libraries', 'Communities', 'Cities', 'Village', 'Unincorporated communities', 'Ghost towns', 'See also', 'Geography', 'Adjacent counties', 'Major highways', 'National protected area', 'Demographics', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Education', 'Communities', 'Cities', 'Towns', 'Census-designated place', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'Protected areas===', 'Climate and weather', 'Demographics', 'Communities', 'Cities']]



['Wikipedia: Anextiomarus', 'Wikipedia: Interstate 4', 'Wikipedia: Omsk Oblast', 'Wikipedia: Edward Gorey', 'Wikipedia: Sinmara', 'Wikipedia: Bristol Parkway railway station', 'Wikipedia: Primitive', 'Wikipedia: Menard County, Texas', 'Wikipedia: Grundy County, Tennessee', 'Wikipedia: Alternative assessment', 'Wikipedia: Deschutes County, Oregon', 'Wikipedia: Carakan', 'Wikipedia: Rafael José', 'Wikipedia: Benson County, North Dakota', 'Wikipedia: Colfax County, Nebraska', 'Wikipedia: Waybread', 'Wikipedia: London Borough of Havering']
[['References', 'The Hill of Slane', 'Slane Castle', 'Annalistic references', 'Slane Mill', 'Slane Bridge', 'Near Slane', 'Transport', 'Slane Electoral Area', '"Slane" trademark controversy', 'Notable people', 'Name', 'History', 'Geography', 'Demographics', 'Politics', 'Current National Assembly Representatives', 'Tourism', 'See also', 'References'], ['India', 'China', 'Middle East', 'Persia', 'Samples', 'See also', 'Sources', 'Further reading'], ['Geography', 'Climate', 'Ecology', 'History', 'Prehistory and the Middle Ages', 'Exploration of Siberia', '2000 census', '2010 census', 'Communities', 'Cities', 'Town', 'Census-designated places', 'Other unincorporated communities', 'Ghost towns', 'Indian reservations', 'County population ranking', 'Nixon', "Nixon's constituency", 'Post-Nixon', 'See also', 'References', 'Further reading', 'Clitoral and other anatomical debates', 'History', 'See also', 'References'], ['Battle of the Thames', 'Return to Washington', 'Post-war career in the House', 'Senator', 'Monroe years (1819–1825)', 'Adams opponent (1825–1829)', 'Return to the House', 'Election of 1836', 'Vice presidency', 'Election of 1840', 'Description', 'Services', 'Rail', 'Bus', 'Places', 'Africa', 'Asia and Oceania', 'India', 'Philippines', 'Europe', 'Portugal'], ['Mathematics', 'Sciences', 'History', 'Geography', 'Politics', 'Departmental Council of Lot-et-Garonne', 'Members of the National Assembly', 'Economy', 'Demographics', 'Tourism', 'See also', 'Government', 'County offices', 'Politics', 'Communities', 'Cities', 'Villages', 'Towns', 'Census-designated places', 'Unincorporated communities', 'Ghost towns/neighborhoods', 'Major highways', 'Adjacent counties', 'National protected area', 'Demographics', '2000 census', '2010 census', 'Politics', 'Education', 'Law enforcement', 'Communities', '1968–1995: Early life and career beginnings', '1998–2002: Breakthrough', '2003–2015: Critical disappointments and Sherlock Holmes', '2016–present', 'Filmmaking', 'Influences and style', 'Personal life', 'Filmography', 'Film', 'Television', '20th century to present', 'Jim Crow', 'Civil Rights Movement', 'Late 20th-century economic decline', '21st century', 'Geography', 'Climate', 'Adjacent counties/independent city', 'National protected area', 'Demographics', 'History', 'Geography', 'Adjacent counties', 'National protected areas', 'Demographics', 'Politics', 'Transportation', 'Air', 'History', 'Geography', 'Major highways', 'History', 'Native Americans', 'Early years', 'County history', 'Geography', 'Major highways', 'Adjacent counties'], ['History', 'Geography'], ['Notable practitioners', 'See also', 'Demographics', 'Law and government', 'County Commissioners', 'State Senate===', 'State House of Representatives===', 'United States House of Representatives', 'United States Senate', 'Education', 'Colleges and universities', 'Public school districts', 'History', 'Geography', 'Adjacent counties', 'National protected areas', 'Census-designated places', 'Unincorporated communities', 'Notable people', 'Covered bridges of Union County', 'See also', 'References'], ['All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'History', 'Creation', 'References', 'See also', 'Middle East', 'International organizations', 'European Union', 'Traditions', 'Austrian School', 'Chicago School', 'Washington Consensus', 'Political policy aspects', 'Economic and political freedom', 'Free trade'], ['Geography', 'Adjacent counties', 'Adjacent counties', 'Major highways', 'National protected areas', 'Demographics', 'Politics, law and government', 'Local government', "Sheriff's Office and policing", 'State government', 'Federal government', 'Communities', 'Mountains', 'Adjacent counties', 'National protected areas', 'Demographics', '2000 census', '2010 census', 'Politics and government', 'County Commission', 'New Hampshire General Court', 'Media', 'Unincorporated communities', 'Townships', 'Politics', 'See also', 'References', 'The Oaks bakehouse', 'Honeywood Museum', 'Sutton Ecology Centre', 'Parks', 'Carshalton Park', 'Grove Park', 'Oaks Park', 'Events', 'Charles Cryer Theatre', 'Carshalton Environmental Fair', 'Transport', 'Cultural references', 'See also', 'References', 'Further reading'], ['Geography', 'Adjacent counties', 'National protected areas', 'Fauna', 'Flora', 'Demographics', '2000 census', '2010 census', 'Transportation', 'Politics', 'References'], ['Population', 'Education', 'Public schools', 'Private schools', 'Public libraries', 'Politics', 'Local', 'State', 'Federal', 'Communities', 'Cities', 'Unincorporated communities', 'Ghost towns', 'Notable people', 'Politics', 'See also', 'References'], ['Townships', 'Census-designated places', 'Unincorporated communities===', 'Lakes', 'Government and Politics', 'In popular culture', 'Images', 'See also', 'References'], []]



['Wikipedia: Ogma', 'Wikipedia: Open Audio License', 'Wikipedia: Belgrade (disambiguation)', 'Wikipedia: Ada Vélez', 'Wikipedia: Flywheel', 'Wikipedia: Meurthe-et-Moselle', 'Wikipedia: Waukesha County, Wisconsin', 'Wikipedia: Geodesic', 'Wikipedia: York County, South Carolina', 'Wikipedia: Tuscarawas County, Ohio', 'Wikipedia: Xibalba', 'Wikipedia: Clarke County, Mississippi', 'Wikipedia: Anoka County, Minnesota']
[['Route description', 'Services', 'History', 'Tampa area', 'Orlando area', 'Future', 'I-4 Ultimate ===', 'See also', 'References'], [], ['References', 'Places', 'Belgium', 'Croatia', 'United States of America', 'Russian Empire', 'Soviet Years', 'Post-Soviet era', 'Politics', 'Administrative divisions', 'Economy', 'Demographics', 'Religion', 'Sister relationships', 'See also', 'See also', 'Notes', 'References'], ['Early life', 'Career', 'Personal life', 'Style', 'Bibliography', 'Pseudonyms', 'Legacy', 'Etymology', 'Fjölsvinnsmál', 'Theories', 'Citations', 'Explanatory notes', 'References', 'Later life and death', 'Legacy', 'See also', 'Notes', 'References', 'Citations', 'Sources', 'Further reading'], ['History', 'Future', 'See also', 'Notes', 'References'], ['Azores', 'Spain', 'Municipalities', 'Other places in Spain', 'North and Central America', 'Belize', 'Canada', 'Cuba', 'Dominican Republic', 'Dutch Caribbean', 'Computing', 'Art and entertainment', 'Music', 'Albums', 'Songs', 'Religion', 'Other uses', 'See also', 'References'], ['History', 'See also', 'References', 'Further reading'], ['Cities', 'Towns', 'Magisterial districts', 'Census-designated places', 'See also', 'References'], ['References'], ['Introduction', 'Economy', 'Transportation', 'Major highways', 'Culture', 'Architecture and arts', 'Sports', 'Education', 'Elementary and secondary schools', 'Higher education', 'City government and politics', 'Rail', 'Bus', 'Highway', 'Communities', 'City', 'Towns', 'Census-designated places', 'Villages', 'See also', 'Footnotes', 'Adjacent counties', 'Demographics', 'Communities', 'Census-designated place', 'Unincorporated communities', 'Ghost towns', 'Politics', 'References in popular culture', 'See also', 'References', 'Demographics', 'Communities', 'Cities', 'Town', 'Unincorporated communities', 'Ghost town', 'Politics', 'See also', 'References'], ['Natural features', 'Adjacent counties', 'State protected areas', 'Demographics', 'Communities', 'Cities', 'Towns', 'Census-designated place', 'Politics', 'Notable people', 'References', 'History', 'Pre-colonial and colonial history', 'Related public entities', 'Private schools', 'Libraries', 'Licensed entities', 'Recreation', 'Communities', 'Boroughs', 'Townships', 'Census-designated place', 'Unincorporated communities', 'Demographics', '2000 census', '2010 census', 'Communities', 'Cities', 'Census-designated places', 'Unincorporated communities', 'Politics', 'Economy', 'Geology', 'History', 'Geography', 'Adjacent counties', 'Demographics', '2000 census', '2010 census', 'Inhabitants', 'Structure', 'Downfall of Xibalba', 'Biography', 'Previous life', 'OTI Festival', 'New projects', 'See also', 'References'], ['Monetarism', 'Criticism', 'Market fundamentalism', 'Inequality', 'Financialization', 'Mass incarceration', 'Corporatocracy', 'Globalization', 'Imperialism', 'Global health', 'Major highways', 'Protected areas', 'Lakes===', 'Demographics', '2000 census', '2010 census', 'Population by decade', 'Communities', 'Cities', 'Census-designated place', 'City', 'Towns', 'Townships', 'Census-designated places', 'Unincorporated communities', 'Public libraries', 'See also', 'References'], ['Radio', 'Television', 'Newspapers', 'Communities', 'City', 'Towns', 'Townships', 'Census-designated places', 'Villages', 'In popular culture', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Communities', 'Politics', 'See also', 'Other events', 'Economy', 'Transport', 'Notable residents', 'Education', 'Primary schools', 'Secondary schools', 'Further education', 'Sport and leisure', 'Notes and references', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'Communities', 'Cities', 'Towns', 'Census-designated places', 'Unincorporated communities', 'See also', 'References', 'Neighbours', 'Industry and commerce', 'History', 'Early history', 'Settlement', 'Districts', 'Transport', 'Roads', 'Public transport', 'Travel to work', 'Villages', 'Unincorporated communities', 'Townships', 'Notable person', 'See also', 'References'], ['History', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Ancestry/Ethnicity', 'History', 'Geography', 'Lakes']]



['Wikipedia: Bitterroot', 'Wikipedia: Polar Satellite Launch Vehicle', 'Wikipedia: Kemerovo Oblast', 'Wikipedia: List of counties in Connecticut', 'Wikipedia: Monongahela', 'Wikipedia: Goin', 'Wikipedia: Moin', 'Wikipedia: Inosine', 'Wikipedia: Quentin Matsys', 'Wikipedia: Boeing 727', 'Wikipedia: Patrick County, Virginia', 'Wikipedia: Orleans County, Vermont', 'Wikipedia: Medina County, Texas', 'Wikipedia: Cochran County, Texas', 'Wikipedia: Greene County, Tennessee', 'Wikipedia: Paul Ginsparg', 'Wikipedia: United States antitrust law', 'Wikipedia: Votan', 'Wikipedia: Hilton Worldwide', 'Wikipedia: Barnes County, North Dakota', 'Wikipedia: Brunswick County, North Carolina', 'Wikipedia: Cheshire County, New Hampshire', 'Wikipedia: Cheyenne County, Nebraska', 'Wikipedia: Catford', 'Wikipedia: Mill Hill', 'Wikipedia: Wealdstone', 'Wikipedia: Cole County, Missouri']
[['Additional express lanes', 'Other projects', 'Exit list', 'State Road 400', 'In politics', 'See also', 'References'], ['Name and Epithets', 'Etymology', 'Epithets', 'Mythology', 'Invention of Ogham', 'Related figures', 'See also', 'References', 'Distribution', 'Description', 'History and culture', 'References', 'South Africa', 'Other', 'People with the name', 'See also', 'References', 'History', 'Soviet period', 'Professional boxing record', 'See also', 'References'], ['See also', 'References', 'Notes', 'Further reading'], ['See also', 'Reactions', 'Clinical significance', 'Binding', 'Biotechnology', 'Applications', 'History', 'Physics', 'Material selection', 'Table of energy storage traits', 'High-energy materials', 'Design', 'Mexico', 'State of Oaxaca', 'Other Mexican states', 'Nicaragua', 'Panama', 'Puerto Rico', 'United States', 'South America', 'Argentina', 'Bolivia', 'Early life', 'Work in Leuven', 'Style', 'Influences', 'Death', 'Geography', 'Economy', 'Demographics', 'Politics', 'Current National Assembly Representatives', 'Tourism', 'See also', 'References'], ['History', '2011 Supreme Court Election', 'Geography', 'Lake country', 'Adjacent counties', 'Demographics', '2010 census', '2000 census', 'Government', 'Development', 'Design', 'Noise', 'Operational history', 'Variants', '727-100', 'Examples', 'Metric geometry', 'Riemannian geometry', 'Calculus of variations', 'Affine geodesics', 'Existence and uniqueness', 'Geodesic flow', 'Geodesic spray', 'Affine and projective geodesics', 'Computational methods', 'Notable people', 'See also', 'References', 'Further reading'], ['Further reading'], ['History'], ['History', 'Geography', 'Geography', 'Major highways', 'Adjacent counties', 'See also', 'References'], ["North Carolina's rule", 'The New Acquisition', 'Revolutionary War', 'Early York County', 'Establishment of the county seat', 'Antebellum York County and the Civil War', 'Ku Klux Klan activity', 'Early industrialization', '20th century', 'Geography and climate', 'Population ranking', 'Notable people', 'See also', 'References', 'See also', 'References', 'Further reading', 'Politics', 'Communities', 'Cities', 'Villages', 'Townships', 'Census-designated places', 'Other unincorporated communities', 'Notable people', 'See also', 'References', 'See also', 'References'], ['History', 'Two chains with one name', '21st century', 'Brands', 'Luxury', 'Infrastructure', 'Environmental impact', 'Political opposition', 'See also', 'Notes', 'Further reading', 'Summaries and histories', 'Criticisms', 'Other academic articles'], ['Unincorporated communities', 'Townships', 'Politics', 'See also', 'References'], ['History', 'Geography', 'Hydrogeology', 'Beaches', 'See also', 'References'], ['References', 'Geography', 'Major highways'], ['History', 'Toponymy', 'History', 'Military', 'Governance', 'Geography', 'Mill Hill Village', 'History and name', 'Sport', 'Demography', 'Crime', 'Transport', 'Tube/Trains', 'Media', 'Places of interest', 'Politics', 'London Borough Council', 'London Assembly', 'UK Parliament', 'Sport and leisure', 'Twinning', 'Education', 'References', 'Geography', 'Adjacent counties', 'Major highways', 'Demographics', 'Government and infrastructure', 'Education', 'Communities', 'Cities', 'Towns', 'Unincorporated communities', 'Ghost town', 'Politics', 'See also', 'References', 'Rivers', 'Major highways', 'Adjacent counties', 'Protected areas===', 'Climate and weather', 'Demographics', 'Government and politics', 'County Commissioners', 'National elections', 'Communities']]



['Wikipedia: Annwn', 'Wikipedia: Ogmios', 'Wikipedia: Synod of Dort', 'Wikipedia: Fairfield County, Connecticut', 'Wikipedia: Gretna', 'Wikipedia: Hypoxanthine', 'Wikipedia: Interstate 81', 'Wikipedia: Vibes (film)', 'Wikipedia: Mayenne', 'Wikipedia: List of lunar deities', 'Wikipedia: Trumbull County, Ohio', 'Wikipedia: Beverly Hills, 90210', 'Wikipedia: Welling', 'Wikipedia: Washington County, Missouri', 'Wikipedia: Claiborne County, Mississippi']
[['Name and etymology', 'Mythical locations', 'Appearances in Welsh literature', 'Annwn in modern culture', 'See also', 'About the deity', 'Etymology', 'Description', 'Roles', 'Comparisons to other cultures', 'Further reading'], ['Background', 'Development', 'Vehicle description', 'First stage (PS1)', 'Second stage (PS2)', 'Third stage (PS3)', 'Fourth stage (PS4)', 'PS4 stage as orbital platform', 'Payload fairing', 'Variants', 'Administrative divisions', 'Climate', 'Economy', 'Politics', 'Honors', 'Demographics', 'Settlements', 'Religion', 'References', 'Notes', 'Alphabetical listing', 'Former counties', 'Notes', 'References', 'Places', 'Railways', 'Other', 'Usage', 'Etymology', 'Moi', 'See also', 'References', 'Fitness', 'Feeding Stimulant', 'See also', 'References'], ['Rimmed', 'Shaftless', 'Superflywheel', 'See also', 'References'], ['Brazil', 'Cities', 'Other places in Brazil', 'Colombia', 'Ecuador', 'Peru', 'People', 'Business', 'Music', 'Sports', 'Legacy', 'See also', 'References', 'Sources'], ['History', 'Geography', 'Demographics', 'Politics', 'Elected officials', 'Departments', 'Politics', 'Communities', 'Cities', 'Villages', 'Towns', 'Census-designated place', 'Unincorporated communities', 'Ghost towns/Neighborhoods', '727-200', 'Operators', 'Commercial operators', 'Government, military, and other operators', 'Private aircraft', 'Accidents and incidents', 'Orders and deliveries', 'Model summary', 'Aircraft on display', 'Specifications', 'Applications', 'See also', 'References', 'Further reading'], ['History', 'Geography', 'Adjacent counties', 'National protected areas', 'Major highways', 'Demographics', 'Distinctions', 'Tourism', 'Geography', 'Fauna', 'Climate', 'Climate change', 'Adjacent counties and municipalities', 'Demographics', '2010 census', 'Government', 'Executive', 'Judicial', 'Major highways', 'Adjacent counties', 'Demographics', 'Communities', 'Cities', 'Census-designated places', 'Unincorporated communities', 'Ghost towns', 'Gallery', 'Politics', 'Demographics', 'Communities', 'City', 'Town', 'Unincorporated community', 'Politics', 'See also', 'References'], ['History', 'Geography', 'Major highways', 'Adjacent counties', 'National protected areas', 'State protected areas', 'Other historic sites', 'Government', 'Elected Officials', 'County Mayor', 'Mountains', 'Climate', 'Adjacent counties', 'Major highways', 'Protected areas', 'Demographics', '2000 census', '2010 census', 'Education', 'Communities', 'Education', 'Career in physics', 'Awards', 'Family', 'Publications', 'Notes'], ['History', 'Cartels and collusion', 'Restrictive practices', 'Rule of reason', 'Tacit collusion and oligopoly', 'Vertical restraints', 'Mergers', 'Horizontal mergers', 'Vertical mergers', 'Conglomerate mergers', 'Further reading'], ['History', 'Origins of the Votan story', 'Influence on Mormonism', 'Similarity to Wotan', 'Pacal Votan', 'Culture hero?', 'Votan Zapata', 'Notes', 'References', 'Upper Upscale', 'Upscale', 'Upper Midscale', 'Midscale', 'Timeshare', 'Former', 'Franchising', 'Hilton Honors', 'Properties', 'Corporate affairs', 'Online lectures', 'Series overview', 'Episodes', 'Geography', 'Major highways', 'Adjacent counties', 'Protected areas===', 'Lakes===', 'Demographics', '2000 census', 'Islands', 'Adjacent counties', 'Major highways', 'Demographics', 'Communities', 'Cities', 'Towns', 'Villages', 'Townships', 'Unincorporated communities', 'Geography', 'Adjacent counties', 'Geographical landmarks', 'Demographics', '2000 census', '2010 census', 'Politics and government', 'County Commission', 'Legislative branch', 'Communities', 'Adjacent counties', 'Demographics', 'Communities', 'City', 'Villages', 'Census-designated places', 'Unincorporated communities', 'Politics', 'See also', 'References', 'Governance', 'Built environment', 'Early developments', 'Brutalist architecture', 'Landmarks', 'Regeneration', 'Catford town centre', 'Catford Broadway', 'Transport', 'Rail', 'Mill Hill Broadway', 'Mill Hill East', 'Neighbouring areas', 'Demography', 'Transport', 'Tube/Rail', 'Buses', 'Road', 'Development', 'Education', 'Bus routes', 'Notable people', 'References'], [], ['History', 'Geography', 'Public schools', 'Private schools', 'Post-secondary education', 'Public libraries', 'Politics', 'Local', 'State', 'Federal', 'Political culture', 'Missouri presidential preference primary (2008)', 'History', '20th century to present', 'Politics', 'Geography', 'Major highways', 'Cities', 'Township', 'Census-designated place', 'Unincorporated community', 'See also', 'References'], []]



['Wikipedia: Gwyn ap Nudd', 'Wikipedia: Dea Matrona', 'Wikipedia: Krasnoyarsk Krai', 'Wikipedia: Pentatonic scale', 'Wikipedia: Outsider music', 'Wikipedia: Court of Appeal (England and Wales)', 'Wikipedia: Washington County, Wisconsin', 'Wikipedia: McDowell County, West Virginia', 'Wikipedia: McMullen County, Texas', 'Wikipedia: Childress County, Texas', 'Wikipedia: Indiana County, Pennsylvania', 'Wikipedia: Lipoprotein', 'Wikipedia: Bourne shell', 'Wikipedia: Bladen County, North Carolina', 'Wikipedia: Cherry County, Nebraska', 'Wikipedia: Barraiya', 'Wikipedia: Aitkin County, Minnesota']
[['Notes', 'Sources', 'Family', 'Greek/Roman', 'Irish', 'References', 'Purpose', 'Delegates', 'Proceedings', 'The Canons of Dort', 'Aftermath', 'Bible translation', 'Political impact', 'See also', 'Notes', 'References', 'PSLV-G (retired)', 'PSLV-CA', 'PSLV-XL', 'PSLV-DL', 'PSLV-QL', 'PSLV-3S (Concept)', 'Launch history', 'See also', 'References'], ['Sources', 'See also'], ['History', 'Geography', 'Land', 'Water', 'Pollution', 'Mountains and summits', 'Adjacent counties', 'Places', 'Australia', 'Canada', 'Scotland', 'United States', 'Transportation', 'Other uses', 'See also', 'Types', 'Hemitonic and anhemitonic', 'Major pentatonic scale', 'Minor pentatonic scale', 'Japanese scale', 'Reactions', 'Additional images', 'References'], ['Route description', 'Tennessee', 'Virginia', 'West Virginia', 'Maryland', 'Pennsylvania', 'New York', 'Football (soccer)', 'Chile', 'Other sports', 'Other uses', 'See also', 'Plot', 'Cast', 'Production', 'Reception', 'Box office', 'Soundtrack', 'Home media', 'References', 'Current National Assembly Representatives', 'Flora and fauna', 'Economy', 'Tourism', 'See also', 'References'], ['Climate', 'See also', 'References', 'Further reading'], ['See also', 'Notes', 'References'], ['Moon in religion and mythology', 'List of moon deities', 'African', 'Europe', 'Asia', 'Ainu mythology', 'Anatolian', 'Chinese mythology', 'Education', 'Communities', 'Town', 'Census-designated place', 'Other unincorporated communities', 'Notable residents', 'Government', 'See also', 'References'], ['Legislators', 'Elections', 'Economy', 'Households and housing', 'Personal income', 'Unemployment', 'Business and industry', 'Retail', 'Tourism', 'Education', 'See also', 'References', 'Further reading'], ['Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'County Commission', 'Presidential elections', 'Demographics', 'Education', 'Hospitals', 'Communities', 'City', 'Towns', 'Census-designated place', 'Unincorporated communities', 'Cities', 'Towns', 'Census-designated places', 'Unincorporated communities', 'Former places', 'Politics', 'See also', 'Further reading', 'Notes'], ['History', 'Geography', 'Adjacent counties', 'Major highways', 'Demographics', 'Monopoly and power', 'Monopolization', 'Exclusive dealing', 'Price discrimination', 'Essential facilities', 'Tying products', 'Predatory pricing', 'Intellectual property', 'Scope of antitrust law', 'Collective actions', 'Geography', 'Adjacent counties', 'Major highways', 'Demographics', '2000 census', '2010 census', 'Politics', 'Post Secondary Education Opportunities', 'Communities', 'Cities', 'Scope', 'Transmembrane lipoproteins', 'Plasma lipoprotein particles', 'Functions', 'Metabolism', 'Company culture', 'Hilton in popular culture', 'References'], ['Cast and characters', 'Casting', 'Departures', 'Locations', 'Broadcast', 'Specials', 'Reception', 'U.S. ratings', 'Series finale', 'Impact', '2010 census', 'Population by decade', 'Communities', 'Cities', 'Unincorporated communities', 'Townships', 'Notable people', 'Politics', 'See also', 'References', 'Politics, law and government', 'See also', 'References'], ['City', 'Towns', 'Census-designated places', 'Villages', 'See also', 'References'], ['Geography', 'Major highways', 'National protected areas', 'Buses', 'Road', 'Proposed transport links', 'Bakerloo line extension', 'Docklands Light Railway extension', 'Education', 'Local authority maintained schools', 'Independent schools', 'Parks and greenspaces', 'River Pool Linear Park', 'Primary schools', 'Secondary schools', 'Independent schools', 'Invention and discovery', 'Religious sites', 'Public services', 'Parks and recreation', 'Notable people', 'Sport', 'References', 'Etymology', 'History', 'Early history', '20th century', '21st century', 'Education', 'Culture', 'Landmarks', 'Transport', 'Adjacent counties', 'National protected area', 'Demographics', 'Religion', 'Politics', 'Local', 'State', 'Federal', 'Political culture', 'Missouri presidential preference primary (2008)', 'Communities', 'Cities', 'Villages', 'Unincorporated communities', 'See also', 'References', 'Further reading'], ['Adjacent counties', 'National protected area', 'Demographics', 'Communities', 'City', 'Census-designated place', 'Unincorporated communities', 'Ghost towns', 'Sites of interest', 'Notable people', 'References']]



['Wikipedia: Deichtine', 'Wikipedia: 664 BC', 'Wikipedia: Happy Birthday to You', 'Wikipedia: Beaverton', 'Wikipedia: Reaction wheel', 'Wikipedia: Hole in My Heart (All the Way to China)', 'Wikipedia: Morbihan', 'Wikipedia: Page County, Virginia', 'Wikipedia: Grainger County, Tennessee', 'Wikipedia: Williamsburg County, South Carolina', 'Wikipedia: Yancey County, North Carolina', 'Wikipedia: Carroll County, New Hampshire', 'Wikipedia: Mitcham', 'Wikipedia: Wembley', 'Wikipedia: Belmont, Sutton', 'Wikipedia: Choctaw County, Mississippi']
[['Legends', 'The abduction of Creiddylad', "As part of Arthur's retinue", 'Other exploits', 'Later traditions', 'Etymology', 'References'], ['See also', 'Sources', 'Primary sources', 'Further reading'], ['Events', 'History', 'Lyrics', '"Happy birthday to you"', 'Geography', 'History', 'Politics', 'Economy', 'Natural resources', 'Industry', 'Power generation', 'Transportation', 'Administrative divisions', 'Demographics', 'National protected areas', 'Major highways', 'Demographics', '2000 census', '2010 census', 'Demographic breakdown by town', 'Income', 'Race', 'Economy', 'Government and municipal services', 'Places', 'Canada', 'United States', 'The pentatonic scales found by running up the keys C, D, E, G and A', 'Pythagorean tuning', 'Use of pentatonic scales', 'In classical music', 'Further pentatonic musical traditions', 'Javanese', 'Ethiopian', 'Scottish', 'Andean', 'Jazz', 'Etymology', 'Definition and scope', 'Cultural resonance and influence', 'Lo-fi music', 'See also', 'References', 'History', 'Major intersections', 'Auxiliary routes', 'References'], ['History', 'Formation and early history', 'Changes in appellate jurisdiction and procedure', 'The Woolf and Bowman reforms', 'Divisions', 'Civil Division', 'Criminal Division', 'Procedure for appeal'], ['Song information', 'Track listings', 'History', 'Geography', 'Art and culture', 'Governance', 'Politics', 'Current National Assembly Representatives', 'Geography', 'Major highways', 'Airports', 'Adjacent counties', 'Demographics', 'Communities', 'Cities', 'Villages', 'History', 'Geography', 'Demographics', '2010 census', 'Life expectancy', 'Drug-induced deaths', 'Economy', 'Politics', 'Government', 'Elamite', 'Hindu Mythology', 'Hurro-Urartian', 'Indonesian mythology', 'Japanese mythology', 'Korean mythology', 'Mari mythology', 'Philippine mythology', 'Semitic mythology', 'Turkic mythology', 'Communities', 'Towns', 'Unincorporated communities', 'Higher education', 'Culture', 'Health and public safety', 'Organizations', 'Media', 'Newspapers', 'Radio', 'Television', 'Utilities and communication', 'Communication', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Education', 'Communities', 'Census-designated place', 'Unincorporated communities', 'Politics', 'Communities', 'City', 'Unincorporated communities', 'Politics', 'See also', 'References'], ['See also', 'References'], ['History', 'Geography', 'Adjacent counties', 'Micropolitan Statistical Area', 'Government and politics', 'County commissioners', 'Other county offices', 'State representatives===', 'State senator===', 'United States representative', 'United States senators', 'Education', 'Public school districts', 'Pro sports exemptions and the NFL cartel', 'Media', 'Other', 'Remedies and enforcement', 'Federal government', 'International cooperation', 'State governments', 'Private suits', 'Theory', 'See also', 'Villages', 'Townships', 'Defunct township', 'Census-designated places', 'Unincorporated communities', 'See also', 'References'], ['Exogenous pathway', 'Endogenous pathway', 'Role in inflammation', 'Classification', 'By density', 'Alpha and beta', 'Subdivisions', 'Studies', 'See also', 'References', 'History', 'Origins', 'Features of the original version', 'Features introduced after 1979', 'Variants', 'DMERT shell', 'Korn shell', 'Schily Bourne Shell', 'Relationship to other shells', 'Parodies', 'Soundtracks releases', 'Home media', 'VHS', 'DVD', 'Spin-offs and other media', 'Melrose Place', 'Models Inc', '90210', 'Melrose Place (2009)'], ['History', 'Geography', 'History', 'Geography', 'Adjacent counties', 'Major highways', 'Demographics', 'Law and government', 'Communities', 'Towns', 'Census-designated places', 'Geography', 'Adjacent counties', 'National protected area', 'Demographics', '2000 census', '2010 census', 'State protected areas', 'Adjacent counties', 'Demographics', 'Communities', 'City', 'Villages', 'Census-designated place', 'Other unincorporated communities', 'Notable ranches', 'Time zones', 'Mountsfield Park', 'Ladywell Fields', 'Iona Close Orchard', 'Sport', 'Facilities', 'Local sports teams', 'Notable locals', 'Geography', 'Other nearby areas', 'References'], ['Location', 'History', 'Rail', 'Buses', 'Sport and leisure', 'Notable people', 'References'], ['Education', 'Public schools', 'Private schools', 'Colleges and universities', 'Public libraries', 'Government and infrastructure', '911', 'Fire Departments', 'Ambulance District', 'Law Enforcement', 'History', 'Banstead Hospital and the emergence of Belmont', 'Belmont Hospital and the South Metropolitan District School', 'Public institutions', 'Green Space', 'See also', 'References'], ['History', 'Geography', 'Major highways', 'Adjacent counties', 'Protected areas===', 'Government and Politics', 'Climate and weather', 'Demographics']]



['Wikipedia: Gwyn', 'Wikipedia: Súaltam', 'Wikipedia: Tiny BASIC', 'Wikipedia: Chromosome 15q trisomy', 'Wikipedia: Metronome', 'Wikipedia: George M. Dallas', 'Wikipedia: Mitochondrial Eve', 'Wikipedia: Nièvre', 'Wikipedia: McLennan County, Texas', 'Wikipedia: Cherokee County, Texas', 'Wikipedia: Price fixing', 'Wikipedia: Webcam', 'Wikipedia: Detergent', 'Wikipedia: As Time Goes By (TV series)', 'Wikipedia: Chase County, Nebraska', 'Wikipedia: Chalk Farm']
[['People', 'Fictional or mythological characters', 'Places in the United States', 'See also', 'References', 'Births', 'Deaths', 'References', 'Lyrics with melody', 'Traditional variations', 'Copyright status', '2013 lawsuit', 'Public performances', 'See also', 'References', 'Footnotes', 'Works cited'], ['Settlements', 'Demographics for 2007', 'Religion', 'Education', 'Nature and ecology', 'See also', 'References', 'Notes', 'Sources'], ['County municipal buildings', 'Law enforcement', 'Judicial', 'Fire protection', 'Education', 'Crime Rate', 'Politics', 'Hospitals', 'Transportation', 'Mass transit', 'Arts, entertainment and media', 'See also', 'Signs and symptoms', 'Other', 'Role in education', 'See also', 'References', 'Further reading'], ['Family and early life', 'Early legal, diplomatic and financial service', 'Political career', 'Rivalry with James Buchanan', 'Theory', 'Implementation', 'Spacecraft using reaction wheels', 'Beresheet', 'LightSail 2', 'Failures and mission impact', 'Hubble', 'Hayabusa', 'Judges', 'Broadcasting', 'References', 'Bibliography'], ['3" single', '5" single', 'Cassette and vinyl single', 'Chart performance', 'End of year charts', 'References'], ['Tourism', 'See also', 'References'], ['Towns', 'Census-designated place', 'Unincorporated communities', 'Government', 'Politics', 'See also', 'References', 'Further reading'], ['Education', 'In Popular Culture', 'Transportation', 'Major highways', 'Airport', 'Communities', 'Cities', 'Towns', 'Magisterial districts', 'Census-designated places', 'Austronesian', 'Australia', 'Americas', 'Aztec mythology', 'Cahuilla mythology', 'Hopi mythology', 'Incan mythology', 'Inuit mythology', 'Lakota mythology', 'Maya mythology', 'Geography', 'Adjacent counties', 'National protected area', 'Major highways', 'Demographics', 'Notable residents', 'Politics', 'See also', 'References'], ['Cell phones', 'Broadband', 'Transportation', 'Major routes', 'Local community public and private transportation', 'Railroads', 'Airport', 'Ecological concerns', 'Communities', 'City', 'See also', 'References'], ['History', 'Native Americans', 'Early exploration and settlers', 'County established and growth', 'Geography', 'Major highways', 'History', 'Early years', 'Civil War', '1900s to present day', 'Geography', 'Indian Cave', 'Joppa Mountain', 'Waterways', 'Major highways', 'Adjacent counties', 'Demographics', '2000 census', '2010 census', 'Communities', 'City', 'Towns', 'Unincorporated communities', 'Politics', 'See also', 'References', 'Post-secondary education', 'Environment', 'Communities', 'Boroughs', 'Townships', 'Census-designated places', 'Unincorporated communities', 'Population ranking', 'Notable natives and residents', 'See also', 'Notes', 'References', 'Texts', 'Articles', 'Historical'], ['Technology', 'Image sensor', 'Optics', 'Compression', 'Interface'], ['Etymology', 'Chemical classifications of detergents', 'C shell', 'Almquist shells', 'Other shells', 'Usage', 'See also', 'References'], ['Novelizations', 'Unauthorized Story', 'Reboot', 'Awards and nominations', 'References'], ['Adjacent counties', 'National protected areas', 'Major highways', 'Demographics', '2015', 'Law and government', 'Communities', 'Town', 'Townships', 'Unincorporated communities', 'Unincorporated communities', 'Townships', 'Population ranking', 'Other notable information', 'See also', 'References'], ['Politics and government', 'County Commission', 'Legislative branch', 'Communities', 'Towns', 'Township', 'Census-designated places', 'Villages', 'See also', 'References', 'Politics', 'See also', 'References'], [], ['History', 'Manor of Rugmere', 'Open Space', 'Notable buildings', 'Notable residents', 'Demography', 'Transport and locale', 'Bus', 'Coach', 'Footnotes', 'References'], ['History', 'Toponomy', 'Development', 'Governance', 'Geography', 'Postal district', 'Demographics', 'Attractions', 'Transportation', 'Primary state highways', 'Secondary state highways', 'Airports', 'Railroads', 'Communities', 'Cities', 'Villages', 'Unincorporated communities', 'Economy', 'Nearest places', 'Transport', 'Former residents', 'References', 'Further reading (local history)'], ['History', 'Geography', 'Adjacent counties', 'National protected areas', 'Demographics', 'Education', 'Primary and secondary schools', 'Colleges and universities', 'Communities', 'Towns', '2010 census', 'Communities', 'Cities', 'Townships', 'Unorganized territories', 'Unincorporated communities', 'See also', 'References'], []]



['Wikipedia: Gwythyr ap Greidawl', 'Wikipedia: Alain Lipietz', 'Wikipedia: Alf and Alfhild', 'Wikipedia: Mickey Rooney', 'Wikipedia: Hautes-Pyrénées', 'Wikipedia: Richard Morel', 'Wikipedia: Inequation', 'Wikipedia: The White Goddess', 'Wikipedia: Washburn County, Wisconsin', 'Wikipedia: Mason County, West Virginia', 'Wikipedia: Orange County, Virginia', 'Wikipedia: Union County, South Carolina', 'Wikipedia: Huntingdon County, Pennsylvania', 'Wikipedia: Hilton Hotels & Resorts', 'Wikipedia: Yadkin County, North Carolina', 'Wikipedia: Bertie County, North Carolina', 'Wikipedia: Belknap County, New Hampshire', 'Wikipedia: Morden', 'Wikipedia: Warren County, Missouri', 'Wikipedia: Clark County, Missouri', 'Wikipedia: Wexford County, Michigan']
[['References', 'Education and background', 'Political activities', 'Court challenge to SNCF', 'French local politics', 'Main publications', 'History', 'Description', 'Basic concepts', 'Formal grammar', 'Implementation in a virtual machine', 'Deviations from the design', 'Dialects', 'List of prominent dialects', 'Palo Alto Tiny BASIC', 'MINOL', 'Context', 'In popular culture', 'See also', 'Early life', 'Career', 'Child actor', 'Air', 'Bus service', 'Ferry service', 'Rail', 'Major roads', 'Boston Post Road', 'Interstate 95', 'Merritt Parkway', 'Interstate 84', 'U.S. Route 7', 'Treatment', 'Epidemiology', 'See also', 'References'], ['Etymology', 'History', 'Usage', 'Types of metronomes', 'Mechanical metronomes', 'Electromechanical metronomes', 'Electronic metronomes', 'Tariffs', 'Death', 'Legacy', 'References', 'Bibliography'], ['Kepler', 'Dawn', 'See also', 'References'], ['History', 'Early research', '1987 publication', 'Criticism and later research', 'Female and mitochondrial ancestry', 'Popular reception and misconceptions', 'Not the only woman', 'Not a fixed individual over time', 'History', 'Poetry and myth', 'Celtic Tree Calendar', 'Druantia', 'Criticism', 'Literary influences', 'History', 'Geography', 'Demography', 'Wines', 'Politics', 'Current National Assembly Representatives', 'Tourism', 'Sport', 'See also', 'Geography', 'Major highways', 'Airport', 'Adjacent counties', 'Unincorporated communities', 'See also', 'References'], ['Muisca mythology', 'Pawnee mythology', 'Tupi Guarani mythology', 'Voodoo', 'See also', 'References', 'Bibliography'], ['History', 'Geography', 'Adjacent counties', 'Towns', 'Villages', 'Census-designated places', 'Other', 'Notable residents', 'See also', 'Footnotes'], ['History', 'Institutions of higher education', 'Crash at Crush', 'West fertilizer plant explosion', 'Waco siege', 'Twin Peaks biker shootout', 'Elected leadership', 'Politics', 'Geography', 'Major highways', 'Adjacent counties', 'National protected area', 'Demographics', 'Media', 'Communities', 'Cities', 'Towns', 'Census-designated place', 'Unincorporated communities', 'Ghost towns', 'State protected areas', 'Demographics', 'Law and government', 'Executive Branch', 'Legislative Branch', 'County commission', 'Current members as of 2020:=====', 'School Board', 'Appointed officials', 'Economy'], ['History', 'Early Settlement', 'References'], ['Geography', 'Legal status', 'United States', 'Canada', 'Australia', 'New Zealand', 'European Union', 'United Kingdom', 'Software', 'Characteristics', 'Uses', 'Health care', 'Video monitoring', 'Commerce', 'Videocalling and videoconferencing', 'Video security', 'Video clips and stills', 'Input control devices', 'Anionic detergents', 'Cationic detergents', 'Non-ionic and zwitter ionic detergents', 'History', 'Major applications of detergents', 'Household cleaning', 'Fuel additives', 'Biological reagent', 'See also', 'References', 'Overview', 'History', 'See also', 'References'], ['Cast', 'Plot', 'Episodes', 'International broadcasts', 'Radio', 'Home media', 'References', 'See also', 'References'], ['History', 'Geography', 'Adjacent Counties', 'National protected area', 'Major highways', 'Demographics'], ['History', 'Geography', 'History', 'National Register of Historic Places listings', 'Law and government', 'Geography', 'Adjacent counties', 'Protected areas', 'Demographics', 'Economy', 'Transportation', 'Disputed etymology', 'Geography', 'Economy', 'Social conditions', 'Transport', 'Neighbouring places', 'Nearest stations', 'References', 'Origin of name', 'History', 'Early history', 'Economy', 'Regeneration', 'Sport and leisure', 'Landmarks', 'Transport', 'Tube/train', 'Road', 'SSE Arena access', 'Education', 'Notable people', 'Townships', 'See also', 'References'], ['History', 'Geography', 'Adjacent counties', 'Major highways', 'National protected area', 'Demographics', 'Unincorporated communities', 'Ghost towns', 'Notable people', 'In popular culture', 'Politics', 'See also', 'References'], ['History', 'Geography', 'Major highways', 'Adjacent counties']]



['Wikipedia: Creiddylad', 'Wikipedia: Dewi', 'Wikipedia: Alfhild', 'Wikipedia: Complutense University of Madrid', 'Wikipedia: Badessy', 'Wikipedia: Business continuity planning', 'Wikipedia: Orange County, Vermont', 'Wikipedia: Chambers County, Texas', 'Wikipedia: Shinkansen', 'Wikipedia: Cherokee spiritual beliefs', 'Wikipedia: Company (musical)', 'Wikipedia: Clifford Harper', 'Wikipedia: Rosebud County, Montana', 'Wikipedia: Chickasaw County, Mississippi']
[['Role in Welsh tradition', 'In literature', 'Cordelia', 'John Cowper Powys', 'See also', 'References', 'References'], ['Welsh name', 'Miscellaneous dialects', '4K BASICs', 'Microcontroller dialects', 'Dialects compared', 'See also', 'Notes', 'References'], ['References', 'External sources', 'All article disambiguation pages', 'Mickey McGuire', 'Andy Hardy, Boys Town and Hollywood stardom', 'World War II and later career', 'Character roles and Broadway comeback', 'Television roles', 'Broadway shows', 'Final years', 'Personal life', 'Marriages', 'Death', 'Connecticut Route 8', 'Connecticut Route 25', 'Sports', 'Communities', 'Telephone area codes', 'Major media in the county', 'Countywide', 'Daily newspapers covering the county', 'Published within the county', 'Spanish language newspapers', 'History', 'Demographics', 'Geography', 'Politics', 'Current National Assembly Representatives', 'Tourism', 'See also', 'References', 'Software metronomes', 'Metronome applications and click tracks', 'Use of the metronome as an instrument', 'Reception', 'Positive views', 'Strict rhythm: modern performance practice', 'Criticism', 'Metronome technique', 'Playing "in the pocket"', 'Precision of timing and sensitivity to musical time', 'Dance music', 'Record label', 'Dance events', 'Touring unit', 'Collaborations', 'Discography', 'Albums', 'Chains of inequations', 'Solving inequations', 'Special', 'See also', 'References', 'Not necessarily a contemporary of "Y-chromosomal Adam"', 'Not the most recent ancestor shared by all humans', 'See also', 'Notes', 'References', 'Further reading'], ['See also', 'References', 'Bibliography', 'Editions', 'Critical studies'], ['References'], ['All articles lacking sources', 'National protected area', 'Demographics', 'Communities', 'Cities', 'Villages', 'Towns', 'Census-designated places', 'Other unincorporated communities', 'Ghost towns', 'Politics', 'History', 'Geography', 'Territorial evolution', 'Major highways', 'Adjacent counties', 'National protected area', 'Demographics', '2000 census', '2010 census', 'Overview', 'Resilience', 'Business Continuity', 'Inventory', 'Analysis', 'Waterbodies', 'Nationally protected areas', 'Transportation', 'Major highways', 'Airports', 'Public transportation', 'Demographics', 'Education', 'Primary schools', 'Secondary schools', 'Geography', 'Adjacent counties', 'Demographics', '2000 census', '2010 census', 'Adjacent counties', 'Demographics', 'Education', 'Colleges', 'Public school districts', 'Communities', 'Cities (multiple counties)', 'Cities', 'Census-designated place', 'Other unincorporated communities', 'Politics', 'See also', 'References'], ['Agriculture', 'Real estate', 'Tourism and leisure', 'Industry and commerce', 'Communities', 'Cities', 'Town', 'Unincorporated communities', 'Education', 'Primary School', 'Revolutionary Period', 'Antebellum Period', 'Civil War and Aftermath', 'Cotton Mills and Industrialization', 'Modern Times', 'Geography', 'Adjacent counties', 'National protected area', 'Demographics', 'Education', 'Features', 'Adjacent counties', 'Demographics', 'Micropolitan Statistical Area', 'Law and government', 'County Commissioners', 'State Senate===', 'State House of Representatives===', 'United States House of Representatives', 'United States Senate', 'Exemptions', 'Examples', 'Compact discs', 'Dynamic random access memory (DRAM)', 'Capacitors', 'Perfume', 'Liquid crystal display', 'Air cargo market', 'Tuna', 'Coronavirus vaccine', 'Astro photography', 'Laser beam profiling', 'History', 'Early development', 'Connectix QuickCam', 'Later developments', 'Privacy', 'Effects on modern society', 'Descriptive names and terminology', 'See also'], ['Etymology', 'History', 'Basics of Cherokee Beliefs', 'Sacred Fire', 'Balance', 'Sickness and Healing'], ['Background', 'Synopsis', 'History', 'Geography', 'Adjacent counties', 'Demographics', 'Communities', 'Towns', 'Townships', 'Unincorporated communities', 'Former towns', 'Former township', 'Law and government', 'Education', 'Communities', 'Towns', 'Townships', 'Unincorporated communities', 'Population ranking', 'See also', 'References'], ['Adjacent counties', 'Demographics', '2000 census', '2010 census', 'Politics and government', 'County Commission', 'Legislative branch', 'Communities', 'City', 'Towns', 'Major highways', 'Communities', 'City', 'Villages', 'Census-designated places', 'Politics', 'See also', 'References'], ['Personal life', 'Illustrator', 'Bibliography', 'See also', 'References', 'The Garth family', '19th century', '20th century', 'Today', 'Landmarks', 'Sport and Leisure', 'Transport', 'Notable people associated with Morden', 'Nearest places', 'Gallery', 'Gallery', 'References', 'Geography', 'Geography', 'Adjacent counties', 'Major highways', 'Demographics', 'Politics', 'Local', 'State', 'Federal', 'Political culture', 'Education', 'Public schools', 'Private schools', 'Public libraries', 'Politics', 'Local', 'State', 'Federal', '2008 U.S. presidential primary', 'Communities', 'History', 'Civil War', 'Geography', 'Major highways', 'Adjacent counties', 'Protected areas', 'Lakes===', 'Demographics', '2000 census', 'Government', 'Elected officials', 'Politics', 'Tourism', 'Communities', 'Cities']]



['Wikipedia: John Zorn', 'Wikipedia: Saint Elen', 'Wikipedia: Anthony of Padua', 'Wikipedia: Prophecy', 'Wikipedia: Carmel', 'Wikipedia: Improvisation', 'Wikipedia: Ultima Online', 'Wikipedia: East Carolina University', 'Wikipedia: Out of Africa (film)', 'Wikipedia: Oise', 'Wikipedia: Walworth County, Wisconsin', 'Wikipedia: McCulloch County, Texas', 'Wikipedia: Interstate 45', 'Wikipedia: Ann Radcliffe', 'Wikipedia: Beaufort County, North Carolina', 'Wikipedia: Lakota mythology', 'Wikipedia: Cedar County, Nebraska', 'Wikipedia: Cheam', 'Wikipedia: Mortlake']
[['Early life and career', 'Early life', 'Early composition', 'Asian name', 'See also', 'Church tradition', 'Life', 'Early years', 'Joining the Franciscans', 'Preaching and teaching', 'Legends', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'Legacy', 'Filmography', 'Stage', 'Awards and honors', 'Awards', 'Honors', 'See also', 'Notes', 'References'], ['Broadcast media and cable television', 'Colleges', 'Culture and the arts', 'Fine Arts', 'Music: orchestras in the county', 'Other music and arts events', 'See also', 'References'], ['Businesses', 'Places', 'Musically expressive rhythms', 'Alternatives to metronome use', 'See also', 'References'], ['Singles', 'Remixes', 'References'], ['History', 'Campus', 'Main', 'Athletic fields', 'Health Sciences', 'West Research', 'Plot', 'Cast', 'Production', 'Historical differences', 'Soundtrack', 'Certifications', 'History', 'Today', 'Student life and extracurricular activities', 'The Complutense Abroad', 'International rankings', 'Notable faculty', 'Famous alumni', 'All stub articles', 'Articles lacking sources from December 2009', 'Deity stubs', 'Sky and weather gods', 'Voodoo gods', 'See also', 'References'], ['Politics', 'Education', 'Mason County Fair', 'Communities', 'City', 'Towns', 'Magisterial districts', 'Census-designated places', 'Unincorporated communities', 'Notable natives and residents', 'Business impact analysis (BIA)', 'Consistency', 'Threat and risk analysis (TRA)', 'Impact scenarios', 'Tiers of preparedness', 'Solution design', 'British standards', 'Civil Contingencies Act', 'Australia and New Zealand', 'Post-secondary', 'Issues', 'Government', 'Federal', 'Local', 'Taxation', 'Crime', 'Economy', 'Wine', 'Development issues', 'Politics', 'Education', 'Orange North Supervisory Union', 'Communities', 'Towns', 'Villages', 'Census-designated places', 'Unincorporated community', 'See also', 'References', 'See also', 'References'], ['History', 'Geography', 'Adjacent counties', 'National protected areas', 'State and local protected areas', 'Demographics', 'Government', "Chambers County Commissioners' Court", 'Elected County Officials', 'Elementary Schools', 'Middle School', 'High Schools', 'Alternative School', 'Politics', 'See also', 'References'], ['Communities', 'City', 'Towns', 'Census-designated places', 'Unincorporated communities', 'Notable people', 'Politics', 'See also', 'References'], ['Education', 'Public school districts', 'Related entities', 'Charter schools', 'Private schools', 'Colleges and universities', 'Libraries', 'Transportation', 'Major highways', 'Media', 'Criticism on legislation', 'See also', 'References'], ['References', 'Bibliography', 'Further reading', 'Early proposals', 'Construction', 'Initial success', 'Network expansion', 'Technology', 'Routing', 'Track', 'Signal system', 'Electrical systems', 'Trains', 'Purity and Sacred Places', 'Creation beliefs', 'How the Water Beetle Created the Earth', 'The Story of Corn and Medicine', 'The Thunder Beings', 'Green Corn Ceremony', 'Medicine and Disease', 'Origins of Fire', 'The Great Spirit', 'Other Venerated Spirits', 'Act I', 'Act II', 'Characters', 'Principal casts', 'Song list', 'Productions', 'Original Broadway production', 'Original Cast Album: Company', 'First national tour', 'Original London production', 'Politics, law and government', 'Education', 'Transportation', 'Major highways', 'Airports', 'Public transportation', 'Yadkin Valley wine region', 'Media', 'Print', 'Broadcast', 'History', 'Geography', 'Adjacent counties', 'Census-designated places', 'Villages', 'See also', 'References'], ['Geography', 'Major highways', 'Adjacent counties', 'Protected areas'], ['History', 'Cheam Charter Fair', 'References'], ['Governance', 'Demographics', '2000 census', '2010 census', 'Politics', 'Communities', 'Cities', 'Census-designated places', 'Unincorporated communities', 'Former communities', 'Notable people', 'Missouri presidential preference primary (2008)', 'Education', 'Public schools', 'Private schools', 'Public libraries', 'Communities', 'Cities', 'Villages', 'Unincorporated communities', 'Media', 'Cities', 'Villages', 'Census-designated place', 'Other unincorporated places', 'Townships (all inactive)', 'See also', 'References'], ['National protected areas', 'Demographics', 'Communities', 'Cities', 'Towns', 'Villages', 'Unincorporated communities', 'Notable people', 'In popular culture', 'Politics', 'Villages', 'Census-designated places', 'Other unincorporated communities', 'Townships', 'Historical markers', 'See also', 'References'], []]



['Wikipedia: Emer', 'Wikipedia: Khabarovsk Krai', 'Wikipedia: The Age of Spiritual Machines', 'Wikipedia: Marshall County, West Virginia', 'Wikipedia: Pillar (band)', 'Wikipedia: Giles County, Tennessee', 'Wikipedia: Sumter County, South Carolina', 'Wikipedia: Zuni mythology', 'Wikipedia: Wilson County, North Carolina', 'Wikipedia: West Ham', 'Wikipedia: Vernon County, Missouri', 'Wikipedia: Christian County, Missouri', 'Wikipedia: Carroll County, Mississippi', 'Wikipedia: Thompson submachine gun']
[['Breakthrough recordings', 'Music', 'Jazz', 'Film music', 'Hardcore', 'Naked City', 'Painkiller', 'Other', 'Concert music', 'Masada books', 'Literary tradition', 'Legacy', 'References', 'Sources'], ['Death', 'Saint and Doctor of the Church', 'Veneration as patron saint', 'North America', 'Brazil and Europe', 'Asia', 'In art', 'In films', 'See also', 'References', 'Etymology', 'Definitions', "Bahá'í Faith", 'Buddhism', 'China', 'Christianity', 'Later Christianity', 'Prophetic word in the Apostolic-Prophetic Movement', 'Latter Day Saint movement', 'Geography', 'History', 'Administrative divisions', 'Background', 'Content', 'Law of accelerating returns', 'Philosophy of mind', 'Artificial intelligence', 'Australia', 'Israel and Near East', 'Spain', 'Philippines', 'United States', 'Wales', 'People', 'Other', 'See also', 'Engineering', 'Performing arts', 'Music', 'Theatre', 'Comedy', 'Dance', 'Skills and techniques', 'Artificial intelligence', 'Gameplay', 'Worlds', 'Development', 'Beta and assassination of Lord British', 'Origin era (1995–2004)', 'Electronic Arts era (2004–2006)', 'Mythic Entertainment era (2006–2014)', 'Broadsword era (2014–present)', 'Reception', 'Institutes and centers', 'Community Service Learning Centers', 'Field Station for Coastal Studies', 'North Recreational Complex', 'UNC Coastal Studies Institute', 'Colleges and schools', 'Research', 'Libraries', 'Student life', 'Student Government Association', 'Technical notes', 'Release', 'Critical reception', 'Box office', 'Accolades', 'References'], ['Government', 'Journalism and literature', 'Philosophy', 'Medicine', 'Maths and sciences', 'Film', 'Other', 'See also', 'Notes and references'], ['History', 'Geography', 'Principal towns', 'Politics', 'Current National Assembly Representatives', 'Tourism', 'Twinned county', 'See also', 'Geography', 'Transportation', 'Major highways', 'Airport', 'Adjacent counties', 'Demographics', 'Communities', 'Cities', 'Villages', 'Towns', 'See also', 'Notes', 'References'], ['Implementation and testing', 'Testing and organizational acceptance', 'Maintenance', 'Information/targets', 'Technical', 'Testing and verification of recovery procedures', 'Standards', 'See also', 'References', 'Further reading', 'Places of historical significance', 'The James Madison Museum', 'The Wilderness Battlefield', 'Ellwood Manor', 'Montpelier', 'The Exchange Hotel', 'Media', 'Communities', 'Towns', 'Census-designated place'], ['History', 'Formation and independent albums (1998–2000)', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Government and infrastructure', 'Politics', 'Education', 'Communities', 'City', 'Constables', 'United States Congress', 'Texas Legislature', 'Texas Senate', 'Texas House of Representatives', 'State Board of Education', 'Courts', 'Justices of the Peace', 'District Courts', '1st Court of Appeals', 'History', 'Geography', 'Adjacent counties', 'Demographics', 'Crime', 'History', 'Geography', 'Adjacent counties', 'Radio stations', 'AM', 'FM', 'Newspapers', 'Television', 'Communities', 'Boroughs', 'Townships', 'Census-designated places', 'Unincorporated communities', 'Route description', 'Gulf Freeway', 'North Freeway', 'Julius Schepps Freeway', 'Lane configuration', 'History', 'Gulf Freeway (Houston to Galveston)', 'North Freeway (Houston to Conroe)', 'Between Conroe and Richland', 'Biography', 'Literary life', 'Accusations of anti-Catholicism', 'Art connection', 'Novels', 'Gothic landscapes', 'Influence on later writers', 'Film reference', 'References', 'Further reading', 'Traction', 'Reliability', 'Punctuality', 'Safety record', 'Impacts', 'Economics', 'Environment', 'Challenges', 'Noise pollution', 'Earthquake', 'Signs, Visions, and Dreams', 'Evil', 'References', 'Original Australian production', '1993 reunion concerts', '1995 Broadway revival', '1995 London revival', 'Kennedy Center production', '2006 Broadway revival', '2007 Australian production', '2011 New York Philharmonic concert', '2018 West End revival', '2020 Broadway revival', 'Notable people', 'See also', 'References'], ['Major highways', 'Demographics', 'Communities', 'City', 'Towns', 'Census-designated places', 'Other unincorporated communities', 'Population ranking', 'Politics, law and government', 'See also', 'Overview', 'Creation', 'Notable tales', 'Afterlife', 'See also', 'References', 'Lakes', 'Demographics', 'Communities', 'Cities', 'Villages', 'Census-designated places', 'Unincorporated communities', 'Politics', 'See also'], ['Cheam Village and North Cheam', 'Places of note', 'Whitehall', 'Cheam War Memorial', 'The Old Rectory', 'The Old Cottage', 'The Old Farmhouse', 'Nonsuch Mansion', 'Places of worship', "St Dunstan's Church", 'History', 'People', 'Living people', 'Historical figures', 'Economy', 'Stag Brewery or Mortlake Brewery', "Mortlake Railway Station – Queen Victoria's Waiting Room", 'Amenities', 'Transport', 'Adjoining districts', 'See also', 'Footnotes'], ['See also', 'References'], ['Geography', 'Adjacent counties', 'Major highways', 'National protected area', 'Demographics', 'See also', 'References', 'History', 'History and service', 'Development', 'Early use', 'World War II', 'Magazine developments']]



['Wikipedia: Iris (mythology)', 'Wikipedia: Eri', 'Wikipedia: Excelsior', 'Wikipedia: Orwellian', 'Wikipedia: Amur Oblast', 'Wikipedia: Hartford County, Connecticut', 'Wikipedia: Challenger expedition', 'Wikipedia: Ad libitum', 'Wikipedia: Deep Dish (duo)', 'Wikipedia: Inequality (mathematics)', 'Wikipedia: Vilas County, Wisconsin', 'Wikipedia: Michelson–Morley experiment', 'Wikipedia: Lamoille County, Vermont', 'Wikipedia: Castro County, Texas', 'Wikipedia: Gibson County, Tennessee', 'Wikipedia: Spartanburg County, South Carolina', 'Wikipedia: Carronade', 'Wikipedia: Chessington', 'Wikipedia: Roosevelt County, Montana', 'Wikipedia: Calhoun County, Mississippi']
[['Discography', 'Filmography', 'Bibliography', 'References'], ['References', 'Primary sources'], ['By Place', 'Middle East', 'Births', 'Deaths', 'References'], ['See also', 'References', 'See also', 'References', 'Notes', 'Sources'], ['See also', 'Notes', 'References'], ['United States', 'Film and television', 'Music', 'Other uses', 'See also', 'Music or rhythm', 'Biology', 'Drama', 'See also', 'References', 'Clients', 'References'], ['Properties on the number line', 'Converse', 'Transitivity', 'Addition and subtraction', 'Genes on the mtDNA and their transcription', 'Regulation of transcription', 'Mitochondrial inheritance', 'Female inheritance', 'The mitochondrial bottleneck', 'Male inheritance', 'Mitochondrial donation', 'Mutations and disease', 'Susceptibility', 'Genetic illness', 'Cultivation', 'Culinary uses', 'In Cyprus', 'In the Indian subcontinent', 'In art', 'Nutrition', 'Phytochemicals', 'Gallery', 'See also', 'References', 'History', 'Overview', 'Rail transportation', 'Oil boom', 'Geography and environment', 'Economy', 'Demographics', 'Government', 'Infrastructure', 'Education', 'History', 'Settlement', 'Logging era', 'Geography', 'Adjacent counties', 'National protected area', 'Demographics', '2000 census', '2010 census', 'Politics', 'Communities', 'Magisterial Districts', 'See also', 'References', 'Detecting the aether', '1881 and 1887 experiments', 'Michelson experiment (1881)', 'Michelson–Morley experiment (1887)', 'Most famous "failed" experiment', 'Light path analysis and consequences', 'History', 'Geography', 'Major highways', 'Demographics', 'Communities', 'Towns', 'Census-designated place', 'Notable residents', 'References', 'History', '20th century to present', 'History', 'Native Americans', 'Spanish explorations', 'Early settlers', 'County established and growth', 'Geography', 'Major highways', 'Adjacent counties and municipios', 'Cities', 'Census-designated places', 'Unincorporated communities', 'See also', 'References'], [], ['History', 'Geography', 'References'], ['Geography', 'Geography', 'Adjacent counties', 'Demographics', 'Government and politics', 'Voter registration', 'County commissioners', 'Other county officials', 'State Representative===', 'Explanation', 'Methods of instruction', 'Lecturing', 'Demonstrating', 'Collaborating', 'Classroom discussion', 'Debriefing', 'Classroom Action Research', 'Interaction of circularly polarized light with matter', 'Delta absorbance', 'Molar circular dichroism', 'Extrinsic effects on circular dichroism', 'Molar ellipticity', 'Mean residue ellipticity', 'Application to biological molecules', 'Experimental limitations', 'See also', 'References', 'Tohoku extension/Hokkaido Shinkansen', 'Nagasaki Shinkansen', 'Maglev (Chuo Shinkansen)', 'Mini-Shinkansen', 'Gauge Change Train', 'Types of lines', 'Future lines', 'List of train types', 'Passenger trains', "Tokaido and San'yō Shinkansen", 'Chronology', 'Biography', 'Life in the Qing dynasty', 'Life in the early republic', 'Career within the Chinese Communist Party', 'Founding the Chinese Communist Party', 'Subsequent efforts to spread communism', 'Conflict with Mao', 'References', 'Citations', 'Bibliography', 'Further reading'], ['Towns', 'Unincorporated community', 'Townships', 'See also', 'References', 'Further reading'], ['Geography', 'National & state protected areas', 'Adjacent counties', 'Demographics', 'Communities', 'Towns', 'Villages', 'Townships', 'Unincorporated communities', 'Politics', 'Bishop of Sherborne', 'Death and veneration', 'Writings', 'Prose', 'Poetry', 'Lost works', 'Churches dedicated to St Aldhelm', 'Editions and translations', 'Complete works', 'Prosa de virginitate', 'Protected areas', 'Adjacent counties', 'Demographics', 'Communities', 'Cities', 'Villages', 'Unincorporated communities', 'Census divisions', 'Politics', 'See also'], ['History', 'Notable residents', 'Highlights', 'Sports', 'Demonstration sports', 'Venues', 'Participating nations', 'Number of athletes by National Olympic Committees', 'Medal count', 'Legacy', 'Last surviving competitor', 'Sport', 'Notable people', 'References', 'Sources', 'Politics', 'Local', 'State', 'Federal', 'Political culture', 'Missouri presidential preference primary (2008)', 'Communities', 'Townships', 'Cities', 'Villages', 'Public libraries', 'Christian County Library System', 'Tax Approval', 'Public safety', 'Communities', 'Cities', 'Village', 'Census-designated place', 'Other unincorporated communities', 'Townships', 'Politics', 'See also', 'References', 'Model 1919', '.351 WSL variant', 'Thompson .30 Carbine', '.30-06 variant', 'Production', 'Model 1921', 'Model 1923', 'Model 1921AC (1926)', 'Model 1928', 'M1928A1']]



['Wikipedia: Esus', 'Wikipedia: Naive Bayes classifier', 'Wikipedia: Verónica Castro', 'Wikipedia: Sovetsk, Kirov Oblast', 'Wikipedia: Marion County, West Virginia', 'Wikipedia: Norton, Virginia', 'Wikipedia: Northrop Frye', 'Wikipedia: Wilkes County, North Carolina', 'Wikipedia: Skan', 'Wikipedia: Butler County, Nebraska', 'Wikipedia: Mottingham', 'Wikipedia: Texas County, Missouri', 'Wikipedia: Chariton County, Missouri']
[['Biography', 'Epithets', 'Mythology', 'Messenger of the gods', 'Other myths', 'Cult', 'Representation', 'Gallery', 'People', 'Other uses', 'See also', 'Arts and entertainment', 'Literature and poetry', 'Music', 'Science fiction', 'Journals and newspapers', 'Other arts and entertainment', 'Mottos and catchphrases', 'Sports'], ['Introduction', 'Probabilistic model', 'Geography', 'Natural resources', 'History', '5th–10th centuries', 'Medieval period', '17th century–1850s', '20th century', 'Administrative divisions', 'History', 'Geography', 'Adjacent counties', 'Communities', 'Cities', 'Towns', 'Demographics', '2000 census', '2010 census', 'Preparations', 'Expedition', 'Scientific objectives', 'Challenger Deep', 'Legacy', 'References', 'Further reading'], ['Acting and music career', 'Stage credits', 'Albums', 'Films', 'Biography', 'Discography', 'Albums', 'Singles/EPs', 'DJ mixes', 'Productions', 'Co-productions', 'Remixes', 'Chart positions', 'Awards', 'Multiplication and division', 'Additive inverse', 'Multiplicative inverse', 'Applying a function to both sides', 'Formal definitions and generalizations', 'Ordered fields', 'Chained notation', 'Sharp inequalities', 'Inequalities between means', 'Cauchy–Schwarz inequality', 'Use in disease diagnosis', 'Relationship with aging', 'Neurodegenerative diseases', 'Correlation of the mtDNA base composition with animal life spans', 'Relationship with non-B (non-canonical) DNA structures', 'Use in forensics', 'Use in evolutionary biology and systematic biology', 'History', 'Mitochondrial sequence databases', 'Mitochondrial mutation databases', 'Etymology', 'History', 'Administrative and municipal status', 'Primary and secondary schools', 'Public schools', 'Private schools', 'Public libraries', 'Museums', 'Outdoor recreational activities', 'Sister cities', 'Notable past and current residents', 'Actors', 'Artists', 'Major highways', 'Airports', 'National protected areas', 'Demographics', 'Economy', 'Municipalities', 'Cities', 'Towns', 'Census-designated places', 'Other unincorporated communities', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'Observer resting in the aether', 'Observer comoving with the interferometer', 'Mirror reflection', 'Length contraction and Lorentz transformation', 'Special relativity', 'Incorrect alternatives', 'Subsequent experiments', 'Recent experiments', 'Optical tests', 'Recent optical resonator experiments', 'Politics', 'See also', 'References'], ['Geography', 'Adjacent counties', 'Demographics', '2000 census', '2010 census', 'Politics', 'Education', 'Communities', 'Towns', 'Villages', 'Demographics', 'Politics', 'Education', 'Communities', 'Cities', 'Census-designated places', 'See also', 'References'], ['Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Politics', 'Communities', 'Cities', 'Adjacent counties', 'State protected areas', 'Demographics', 'Transportation', 'Airports', 'Court System', 'Education', 'High schools', 'Media', 'Radio stations', 'Adjacent counties', 'Major interstates', 'Demographics', 'Education', 'Healthcare', 'Cancer care expansion', 'Communities', 'Cities', 'Towns', 'Census-designated places', 'State Senator===', 'US Representative', 'United States Senate', 'Economy', 'Education', 'Colleges and universities', 'Public school districts', 'Private schools', 'Libraries', 'Transportation', 'Evolution of teaching methods', 'Ancient education', 'Medieval education', '19th century', '20th century', 'See also', 'Notes', 'References', 'Further reading'], ['Biography', 'Early life and education', 'Kyushu Shinkansen', 'Tohoku, Joetsu, and Hokuriku Shinkansen', 'Yamagata and Akita Shinkansen', 'Taiwan High Speed Rail', 'Experimental trains', 'Maglev trains', 'Maintenance vehicles', 'List of types of services', "Tōkaidō, San'yō and Kyushu Shinkansen", 'Tōhoku, Hokkaido, Yamagata and Akita Shinkansen', 'Expelled by the Party', 'Last years', 'Legacy', 'Literature', 'Writing style', 'Journalistic works', 'Anhui Suhua Bao', 'Tokyo Jiayin Magazine', 'New Youth magazine', 'Minor publications', 'History', 'Theory of design', 'Early use', 'Design', 'Ordnance', 'Range', 'Diagram', 'Citations', 'History', 'Moonshine and the birth of NASCAR', 'Geography and climate', 'National protected area', 'Adjacent counties', 'Demographics', 'Law and government', 'Economy', 'Agriculture', 'Media', 'Medical', 'Education', 'Avery County schools', 'Charter schools', 'Colleges and universities', 'Transportation', 'The Enigmata', 'See also', 'Citations', 'References'], ['References', 'Geography', 'Major highways', 'Economy', 'Attractions', 'Locality', 'Sport', 'Local geography', 'Education', 'Transport', 'Rail', 'Roads', 'Buses', 'See also', 'Notes'], ['Geography', 'Major highways', 'Adjacent counties', 'National protected areas', 'Demographics', '2000 census', '2010 census', 'Politics', 'Communities', 'Unincorporated  communities', 'Notable People', 'See also', 'References'], ['In popular culture', 'See also', 'References'], ['Geography', 'Adjacent counties', 'Transportation', 'Major highways', 'Airport', 'Demographics', 'Education', 'Communities', 'Towns', 'Villages', 'Service variants', 'Thompson Machine Carbine (TMC)', 'M1', 'M1A1', 'Semi-automatic', 'Model 1927', 'Model 1927A1', 'Model 1927A3', 'Model 1927A5', '1928A1 LTD']]



['Wikipedia: Crime fiction', 'Wikipedia: Norwich (disambiguation)', 'Wikipedia: Forte', 'Wikipedia: DCide', 'Wikipedia: Berwick-upon-Tweed', 'Wikipedia: Qʼuqʼumatz', 'Wikipedia: Grand Isle County, Vermont', 'Wikipedia: Matagorda County, Texas', 'Wikipedia: Cass County, Texas', 'Wikipedia: Saluda County, South Carolina', 'Wikipedia: Curry County, Oregon', 'Wikipedia: Ship of the line', 'Wikipedia: Sherborne Abbey', 'Wikipedia: Chingford', 'Wikipedia: Whetstone, London', 'Wikipedia: Bolivar County, Mississippi']
[['Notes', 'References'], ['Imagery', 'Written sources', 'Interpretations', 'In Neo-Druidism', 'See also', 'References'], ['Association football', 'Other sports', 'Schools', 'Hotels and restaurants', 'Places', 'Canada', 'South Africa', 'United States', 'Transportation', 'Nature', 'Constructing a classifier from the probability model', 'Parameter estimation and event models', 'Gaussian naïve Bayes', 'Multinomial naïve Bayes', 'Bernoulli naïve Bayes', 'Semi-supervised parameter estimation', 'Discussion', 'Relation to logistic regression', 'Examples', 'Person classification', 'Demographics', 'Settlements', 'Religion', 'Economy', 'Industry', 'Energy', 'Agriculture', 'Foreign trade', 'Vostochny cosmodrome', 'Sister province', 'Demographic breakdown by town', 'Income', 'Race', 'Transportation', 'Major highways', 'Public transportation', 'Politics', 'See also', 'References'], ['Places', 'People', 'Maritime', 'Telenovelas', 'TV shows', 'Dubbing', 'Sources', 'References'], ['Won', 'Nominations', 'Other rankings', 'References'], ['Power inequalities', 'Examples', 'Well-known inequalities', 'Complex numbers and inequalities', 'Vector inequalities', 'Systems of inequalities', 'See also', 'Notes', 'References', 'Sources', 'See also', 'References'], ['Notable people', 'References', 'Notes', 'Sources'], ['Athletes and coaches', 'Business', 'Musicians', 'Writers and journalists', 'Other', 'References'], ['Notable people', 'Politics', 'Images', 'See also', 'References', 'Further reading'], ['Demographics', '2000 census', '2010 census', 'Politics', 'Communities', 'Cities', 'Towns', 'Magisterial districts', 'Census-designated places', 'Unincorporated communities', 'Other tests of Lorentz invariance', 'See also', 'References', 'Notes', 'Experiments', 'Bibliography (Series "A" references)'], ['History', 'Education', 'Geography', 'Major highways', 'Demographics', 'Notable people', 'Politics', 'References'], ['Census-designated place', 'Unincorporated community', 'See also', 'References'], ['Geography', 'Major highways', 'Adjacent counties', 'National protected areas', 'Unincorporated communities', 'See also', 'References'], ['Newspapers', 'Events', 'Communities', 'Cities', 'Towns', 'Unincorporated communities', 'Politics', 'Notable natives', 'See also', 'References', 'Unincorporated Communities', 'Politics', 'See also', 'References'], ['Major highways', 'Airport', 'Communities', 'Boroughs', 'Townships', 'Census-designated places', 'Population ranking', 'See also', 'References'], ['Geography', 'Adjacent counties', 'National protected areas', 'Demographics', 'Academic and writing career', 'Family life', 'Contribution to literary criticism', 'Criticism as a science', "Frye's conceptual framework for literature", 'The order of words', 'A theory of the imagination', "Frye's critical method", 'Archetypal criticism as "a new poetics"', 'Influences: Vico and Blake', 'Jōetsu Shinkansen', 'Hokuriku Shinkansen', 'Speed records', 'Traditional rail', 'Maglev', 'Competition with air', 'Shinkansen technology outside Japan', 'Existing', 'Taiwan', 'China', "Chen's contribution to Chinese journalism", 'Poetry', 'Final letters and articles', 'Intellectual contributions and disputes', 'Crisis with Cai Yuanpei', 'Crisis with Hu Shih', 'Views towards Confucianism and traditional values', 'References', 'Citations', 'Sources', 'References', 'History', 'Predecessors', 'Religion', 'Communities', 'Towns', 'Census-designated places', 'Unincorporated communities', 'Townships', 'Politics and government', 'Hospitals', 'Economy', 'Wine region', 'Aviation', 'Public transportation', 'Major highways', 'See also', 'References', 'Further reading'], ['Bibliography', 'Adjacent counties', 'Demographics', 'Communities', 'City', 'Villages', 'Unincorporated communities', 'Ghost towns', 'Townships', 'Politics', 'See also', 'References'], ['Toponymy', 'History', 'Toponymy', 'Local government', 'Landmarks', 'Education', 'Mottingham Primary School', 'Castlecombe Primary School', 'Capel Manor College', 'Geography', 'Quaggy', 'Cities', 'Towns', 'Unincorporated communities', 'See also', 'References', 'History', 'Geography', 'Adjacent counties', 'Major highways', 'National protected areas', 'Demographics', 'Religion', 'Politics', 'History', 'Geography', 'Adjacent counties', 'Major highways', 'National protected area', 'Demographics', 'Education', 'Public schools', 'Private schools', 'Unincorporated communities', 'Ghost towns', 'Politics', 'See also', 'Footnotes', 'Further reading', 'Export variants', 'BSA Thompsons', 'RPB Thompsons', 'Special purpose variant', 'Suppressed variant', 'Civilian ownership', 'Canada', 'United States', 'United Kingdom', 'Germany']]



['Wikipedia: Étaín', 'Wikipedia: Opatija', 'Wikipedia: Yawara', 'Wikipedia: Litchfield County, Connecticut', 'Wikipedia: Bellevue', 'Wikipedia: East Coast of the United States', 'Wikipedia: Prince Valiant', 'Wikipedia: Baron Samedi', 'Wikipedia: Vernon County, Wisconsin', 'Wikipedia: Logan County, West Virginia', 'Wikipedia: German submarine U-862', 'Wikipedia: Northumberland County, Virginia', 'Wikipedia: Franklin County, Tennessee', 'Wikipedia: Fulton County, Pennsylvania', 'Wikipedia: Kokopelli', 'Wikipedia: Ashe County, North Carolina', 'Wikipedia: Burt County, Nebraska', 'Wikipedia: Erathipa']
[['History of crime fiction', 'Psychology of crime fiction', 'Categories', 'Pseudonymous authors', 'Availability of crime novels', 'Quality and availability', 'Classics and bestsellers', 'Revival of past classics', 'See also', 'References', 'Name', 'Genealogy', 'Tochmarc Étaine', 'Dindsenchas', 'Togail Bruidne Dá Derga', 'Silver basin', 'Typefaces', 'Other uses', 'See also', 'Training', 'Testing', 'Document classification', 'See also', 'References', 'Further reading'], ['References', 'Notes', 'Sources'], ['History', 'Geography', 'Adjacent counties', 'Other uses', 'Placenames', 'Australia', 'Music', 'Computing', 'Companies', 'Fictional characters', 'Other uses', 'See also', 'See also', 'References'], [], ['Characters and story', 'History and myth', 'Name', 'History', 'Early history', 'Scottish burgh', 'Disputed territory', 'English town', 'British Town', 'Climate', 'Governance', 'Economy', 'Etymology and symbolism', 'Qʼuqʼumatz, the sun and the ballgame', 'Modern belief', 'The Popol Vuh', 'Temple and priesthood at Qʼumarkaj', 'See also', 'Notes', 'References', 'Portrayal', 'Connection to other loas', 'Activities', 'References', 'Bibliography'], ['History', 'Geography', 'Major highways', 'Airports', 'Adjacent counties', 'Demographics and religion statistics', 'Notable people', 'See also', 'Footnotes', 'References'], ['Design', 'Service history', '1st patrol', '2nd patrol', 'Transfer to Japan', 'Summary raiding history', 'History', 'Geography', 'Adjacent counties', 'History', 'Geography', 'Adjacent counties', 'Major highways', 'Demographics', '2000 census', '2010 census', 'Politics', 'Demographics', 'Economy', 'Education', 'Communities', 'Cities', 'Census-designated places', 'Unincorporated communities', 'Ghost towns', 'Notable people', 'Gallery', 'History', 'Geography', 'Adjacent counties', 'Major highways', 'State protected area', 'Demographics', 'Education', 'Communities', 'Cities'], ['History', 'Geography', 'Geography', 'Adjacent Counties', 'National protected area', 'Demographics', '2000 census', '2010 census', 'Communities', 'Towns', 'Geography', 'Adjacent counties', 'Geology', '2000 census', '2010 census', 'Communities', 'Cities', 'Census-designated places', 'Unincorporated communities', 'Politics', 'Economy', 'Media', 'See also', 'Contribution to the theorizing of Canada', 'Study of literary productions', 'Awards and honours', 'Works by Northrop Frye', 'References', 'Sources'], ['United Kingdom', 'Under contract', 'United States', 'India', 'Proposed subject to funding', 'Thailand', 'Potential opportunities', 'Australia', 'Ireland', 'United States and Canada', 'Further reading'], ['Myths', 'Line-of-battle adoption', 'Evolution of design', 'Steam power', 'Decline', 'Combat', 'Restorations and preservation', 'See also', 'Notes', 'References', 'Bibliography', 'Transportation', 'Aviation', 'Major highways', 'Public Transportation', 'Education', 'Events and festivals', 'Media', 'Notable people', 'Tom Dooley', 'See also', 'History of Ashe', 'Geography', 'Climate', 'National protected areas', 'Major highways', 'Adjacent counties', 'History', 'Cathedral', 'Abbey', 'Parish church', 'Architecture', 'Saxon', 'Norman', 'Early English', 'Decorated', 'Perpendicular', 'References', 'Geography', 'Major highways', 'Landmarks', 'Governance', 'Demography', 'Housing', 'Local sport teams', 'Local districts', 'Nearest places', 'Transport', 'Education', 'Notable people', 'Mottingham Estate', 'Coldharbour Estate', 'Transport', 'Rail', 'Bus', 'Notable residents', 'References'], ['History', 'Early history', 'The Whetstone', 'Russian spies', 'Geography', 'Transport', 'See also', 'References', 'Local', 'State', 'Federal', 'Political culture', 'Missouri presidential preference primary (2008)', 'Education', 'Public schools', 'Private schools', 'Alternative and vocational schools', 'Public libraries', 'Public libraries', 'Politics', 'Local', 'State', 'Federal', 'Missouri presidential preference primary (2008)', 'Communities', 'Notable people', 'See also', 'References', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'National protected area', 'Demographics', 'Life expectancy', 'Users', 'Non-state groups', 'See also', 'References', 'Bibliography'], []]



['Wikipedia: Interstate 8', 'Wikipedia: Bayamón, Puerto Rico', 'Wikipedia: 670 BC', 'Wikipedia: Steve Mann (inventor)', 'Wikipedia: Mayahuel', 'Wikipedia: Country rock', 'Wikipedia: Julie Miller', 'Wikipedia: Mason County, Texas', 'Wikipedia: Richland County, South Carolina', 'Wikipedia: Crook County, Oregon', 'Wikipedia: Art Clokey', 'Wikipedia: William Henry Smyth', 'Wikipedia: Hopi mythology', 'Wikipedia: Tsimshian mythology', 'Wikipedia: Wayne County, North Carolina', 'Wikipedia: Chislehurst', 'Wikipedia: Muswell Hill', 'Wikipedia: Whetstone', 'Wikipedia: Cedar County, Missouri', 'Wikipedia: Vector (band)']
[['Further reading'], ['Route description', 'Additional references', 'See also', 'Notes', 'References', 'Primary sources', 'Secondary sources'], ['Geography', 'History', 'Landmarks', 'Film location', 'Notable people', 'Gallery', 'Twin towns—Sister cities', 'See also', 'Notes', 'References', 'History', 'Hurricane Maria', 'Geography', 'Water features', 'Barrios', 'Sectors', 'Yawarajutsu', 'Legality', 'In popular culture', 'See also', 'References', 'Demographics', '2000 census', '2010 census', 'Demographic breakdown by town', 'Income', 'Race', 'Politics', 'Transportation', 'Communities', 'City', 'Canada', 'Denmark', 'France', 'Germany', 'Norway', 'South Africa', 'Sweden', 'Switzerland', 'United Kingdom', 'United States', 'Early life and education', 'Career', 'Ideas and inventions', 'Anonequity project', 'Toponymy and composition', 'Colonial history', 'Climate and physical geography', 'Demographics', 'Transportation', 'Culture', 'See also', 'Notes', 'Other artists', 'Awards', 'Reprints', 'Film and TV adaptations', 'Other media', 'Cultural references', 'See also', 'References', 'Sources'], ['Transport', 'Culture', "Berwick's identity", 'Berwick dialect', 'Sport', 'Relations with Russia', 'Education', 'Twin towns', 'Landmarks', 'Notable people', 'Description', 'Origins from the maguey plant', 'Gallery of depictions in primary sources', 'Characteristics', 'History', 'Origins', 'Economy', 'Parks', 'County Parks and Forests', 'Communities', 'Cities', 'Villages', 'Towns', 'Unincorporated communities', 'Gallery', 'Politics', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', '2000 census', '2010 census', 'Politics', 'See also', 'References', 'Bibliography'], ['Demographics', 'Government, education, law enforcement, and emergency services', 'Politics', 'Reedville, menhaden fishing industry', 'Communities', 'Town', 'Census-designated place', 'Other unincorporated communities', 'See also', 'References', 'Communities', 'Towns', 'Village', 'Notable person', 'See also', 'References'], ['Politics', 'See also', 'References'], ['Towns', 'Unincorporated communities', 'In popular culture', 'Politics', 'See also', 'References'], ['Adjacent counties', 'State protected areas', 'Other protected areas', 'Demographics', 'Communities', 'Cities', 'Towns', 'Census-designated place', 'Unincorporated communities', 'Notable people', 'Unincorporated communities', 'Politics', 'See also', 'References'], ['Demographics', 'Politics', 'Law and government', 'State Senate===', 'State House of Representatives===', 'United States House of Representatives', 'United States Senate', 'Education', 'Public school districts', 'Transportation', 'References', 'Further reading'], ['Early career', 'Clay animation', 'Death and legacy', 'Filmography', 'References'], ['Brazil', 'Vietnam', 'See also', 'References'], ['Origins and development', 'Other names', 'See also', 'References', 'Further reading'], [], ['Raven myth', 'References', 'References'], ['History', 'Demographics', '2000 census', '2010 census', 'Communities', 'Towns', 'Townships', 'Unincorporated communities', 'Population ranking', 'Politics', 'Media', 'Lady Chapel', 'Monastic buildings', 'Cloisters', 'Conduit', 'Slype', 'Chapter house', "Monks' dormitory", 'Guesten hall', "Abbot's private chapel", "Abbot's hall", 'Adjacent counties', 'Demographics', 'Communities', 'Cities', 'Villages', 'Unincorporated communities', 'Townships', 'Ghost towns', 'Politics', 'See also', 'References'], ['Toponymy', 'History', 'Geography', 'Education', 'Primary schools', 'Secondary schools'], ['Tools and technology', 'Places', 'Communities', 'Cities', 'Villages', 'Unincorporated communities', 'Notable people', 'See also', 'References', 'Further reading'], ['Further reading'], ['Geography', 'Government', 'Education', 'Colleges and universities', 'Public School Districts', 'Private School', 'Media', 'Politics', 'Communities', 'Cities', 'Towns', 'References']]



['Wikipedia: Fagus (god)', 'Wikipedia: Fand', 'Wikipedia: Rockville', 'Wikipedia: Middlesex County, Connecticut', 'Wikipedia: Murfreesboro (disambiguation)', 'Wikipedia: Jim Ryun', 'Wikipedia: Off-Broadway', 'Wikipedia: São Carlos', 'Wikipedia: Auditory illusion', 'Wikipedia: Xōchiquetzal', 'Wikipedia: Baron Cimetière', 'Wikipedia: Trempealeau County, Wisconsin', 'Wikipedia: Northampton County, Virginia', 'Wikipedia: Franklin County, Vermont', 'Wikipedia: Carson County, Texas', 'Wikipedia: Fentress County, Tennessee', 'Wikipedia: Adlai Stevenson I', 'Wikipedia: Vincent of Lérins', 'Wikipedia: Anson County, North Carolina', 'Wikipedia: Buffalo County, Nebraska', 'Wikipedia: White City, London', 'Wikipedia: Taney County, Missouri', 'Wikipedia: Benton County, Mississippi', 'Wikipedia: Wayne County, Michigan']
[['San Diego to Arizona border', 'Yuma to Casa Grande', 'History', 'San Diego area', 'Initial construction', 'Subsequent expansion', 'Cuyamaca Mountains', 'Early road', 'Planning and construction', 'Finishing the freeway', 'References'], ['Places', 'Australia', 'Special Communities', 'Tourism', 'Culture', 'Festivals and events', 'Sports', 'Recreation', 'Economy', 'Agriculture', 'Business', 'Demographics', 'Events', 'Births', 'Deaths', 'References', 'Towns', 'Telephone area codes', 'Attractions', 'See also', 'References', 'Institutions', 'Music', 'Transportation', 'Other', 'See also', 'Media coverage', 'Publications', 'See also', 'References'], ['References', 'History', 'Awards', 'History', 'Geography', 'Geology', 'See also', 'References', 'Footnotes', 'Bibliography'], ['Notes', 'References', 'Name', 'Expansion', 'Peak', 'Legacy', 'See also', 'References', 'See also', 'References', 'Further reading'], ['Communities', 'Incorporated communities', 'Magisterial districts', 'Census-designated places', 'Unincorporated communities', 'School districts', 'See also', 'Footnotes', 'References'], ['Career', 'Recordings', 'Other contributions', 'Songs performed by others', 'Touring and performing', 'Personal life', 'Compositions', 'Discography', 'Solo and with Buddy Miller'], ['History', 'Slavery', 'History', 'Geography', 'Adjacent counties and municipalities', 'National protected area', 'Demographics', '2010 census', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Communities', 'City', 'Unincorporated communities', 'Notable people', 'History', 'Native Americans', 'Early explorations', 'County established and growth', 'Geography', 'Major highways', 'Politics', 'See also', 'References'], ['History', 'Communities', 'Unincorporated communities and neighborhoods', 'Regions', 'Geography', 'Rivers and lakes', 'Adjacent counties', 'National protected area', 'Major Highways', 'Other', 'Communities', 'Boroughs', 'Townships', 'Census-designated places', 'Population ranking', 'See also', 'References'], ['History', 'Geography', 'Adjacent counties', 'National protected area', 'Demographics', '2000 census', '2010 census', 'Communities', 'City', 'Unincorporated communities', 'Ancestry', 'Early life', 'Marriage and political life, 1860–1884', 'Origins', 'Royal Navy', 'Astronomy', 'Numismatics', 'Involvement with learned institutions', 'Later literary work', 'Last years', 'Family', 'Major deities', 'Four Worlds', 'Entrance into the Fourth World', 'Migrations', 'Sacred Hopi tablets', 'Kachinas', 'Pahana', 'Personal life', 'Commonitory', 'Semipelagianism', 'Geography', 'Adjacent counties', 'Demographics', 'Communities', 'City', 'Towns', 'Villages', 'Census-designated places', 'Unincorporated communities', 'Townships', 'Notable people', 'See also', 'References'], ["Abbot's lodgings and monks' kitchen", 'Refectory', 'Military colours', 'Memorials and tombs', 'Burials', 'Reredos', 'Windows', 'Misericords', 'Bells', 'Notes', 'References', 'History', 'Geography', 'Present features', 'Chislehurst Conservation Area', 'Camden Place', 'Past features', 'Education', 'Notable residents', 'Places of worship', 'Transport', 'Rail', 'Bus', 'Special schools', 'Transport', 'Rail', 'Bus', 'Road', 'Campaigns', 'Demography', 'Places of interest', 'References in popular culture', 'People from Muswell Hill', 'Other uses', 'See also', 'History', 'History', 'Geography', 'Adjacent counties', 'Major highways', 'Adjacent counties', 'Major highways', 'Demographics', 'Education', 'Public schools', 'Private schools', 'Public libraries', 'Politics', 'Local', 'State', 'Unincorporated places', 'Ghost towns', 'Notable people', 'See also', 'References'], ['Discography', 'Albums', 'Reissues', 'References']]



['Wikipedia: Nose-picking', 'Wikipedia: Hutt River', 'Wikipedia: LGBT community', 'Wikipedia: Altered chord', 'Wikipedia: Baron La Croix', 'Wikipedia: Lincoln County, West Virginia', 'Wikipedia: Buddy Miller', 'Wikipedia: Martin County, Texas', 'Wikipedia: Franklin County, Pennsylvania', 'Wikipedia: Interstate 49', 'Wikipedia: County Clare', 'Wikipedia: Conrad Hilton', 'Wikipedia: Iroquois mythology', 'Wikipedia: Chiswick', 'Wikipedia: Neasden']
[['Imperial Valley', 'Construction', 'Fratianno allegations', 'Storm damage', 'Arizona', 'Exit list', 'Auxiliary routes', 'See also', 'References', 'Footnotes', 'Appearance in Serglige Con Culainn', 'Other appearances in early literature', 'Appearances in modern literature', 'See also', 'References', 'Canada', 'Iceland', 'Ireland', 'New Zealand', 'United States', 'South Africa', 'In music', 'Other uses', 'See also', 'Government', 'Symbols', 'Flag', 'Coat of arms', 'Education', 'Colleges / Schools / Universities', 'Transportation', 'Diplomacy', 'Notable natives and residents', 'See also', 'Prevalence', 'Rhinotillexomania', 'Medical risks', 'See also', 'References'], ['Government', 'Geography', 'Adjacent counties', 'National protected areas', 'Demographics', '2000 census', '2010 census', 'Demographic breakdown by town', 'Other', 'Athletics', 'Early years', 'Post-high school', 'World records', 'Athletic awards', 'Personal life', 'Career prior to election to Congress', 'House of Representatives', 'List of off-Broadway theatres', 'See also', 'References'], ['Vegetation', 'Hydrography', 'Environment', 'Climate', 'Economy', 'Culture', 'Transportation', 'Roads', 'Air', 'Notable people', 'Causes', 'Examples', 'See also', 'References'], ['Description', 'See also', 'Notes', 'References'], ['Other manifestations', 'References', 'History', 'Geography', 'Adjacent counties', 'Major highways', 'National protected areas', 'Demographics', 'Gallery', 'Communities', 'Cities', 'History', 'Geography', 'Major highways', 'Music videos', 'As contributing musician', 'As primary contributing artist', 'References'], ['Geography', 'Adjacent county and independent city', 'National protected areas', 'Demographics', 'Transportation', 'Major highways', 'Education', 'Communities', 'Politics', 'Notable people', 'Politics', 'Economy', 'Personal income', 'Industry', 'Communities', 'City', 'Towns', 'Villages', 'Census-designated places', 'See also', 'Politics', 'See also', 'References'], ['Adjacent counties', 'Demographics', 'Communities', 'Towns', 'Unincorporated community', 'Politics', 'See also', 'References'], ['History', 'County Officials', 'Geography', 'Adjacent counties', 'National protected area', 'State protected areas', 'Demographics', 'Communities', 'Cities', 'Demographics', 'Government', 'Politics', 'Transportation', 'Bus system', 'Railway', 'Airports', 'Interstates', 'Top Employers', 'Attractions', 'History', 'Geography', 'Adjacent counties', 'Politics', 'Economy', 'See also', 'References', 'Further reading', 'Election of Grover Cleveland in 1884 and the U.S. Post Office', 'Vice President, 1893–1897', 'Presidential campaigns of 1896 and 1900', 'Final years', 'Legacy', 'References'], ['Portraits', 'Publications', 'References'], ['In popular culture', 'See also', 'Notes', 'References', 'References', 'Further reading'], ['Economy', 'Politics, law and government', 'Education', 'High schools', 'Middle schools', 'Elementary schools', 'Special Education Schools', 'Private schools', 'Hospitals', 'Transportation', 'History', 'Geography', 'National protected area', 'Adjacent counties', 'Major highways', 'Law and government', 'Demographics', 'Education', 'Communities', "All Hallows' bells", 'Organ', 'List of organists', 'Clergy', 'Bishops', 'Suffragan bishops', 'Abbots', 'Vicars', 'All Hallows (Alhalowes)', "St. Mary's", 'Major highways', 'Protected area', 'Adjacent counties', 'Demographics', 'Communities', 'Cities', 'Villages', 'Census-designated places', 'Unincorporated communities', 'Townships', 'Nearby areas', 'References', 'History', 'Nearest places', 'Nearest stations', 'See also', 'References and notes'], ['20th Century', 'Origins', 'White City Stadium', 'White City Estate', 'BBC White City', '21st century', 'Transport', 'Education', 'Nearest places', 'Nearest tube stations', 'National protected area', 'Demographics', 'Religion', 'Public safety', 'Education', 'Colleges and universities', 'Public schools', 'Private schools', 'Alternative and vocational schools', 'Public libraries', 'Federal', 'Political culture', 'Missouri presidential preference primary (2008)', 'Communities', 'See also', 'References'], ['Geography', 'Major highways', 'Adjacent counties', 'National protected area', 'Demographics', 'Communities', 'Towns', 'History', 'Geography', 'Adjacent counties', 'National protected area', 'Transportation', 'Wayne County Department of Public Services', 'Major highways', 'Airports']]



['Wikipedia: Ferdiad', 'Wikipedia: Denison', 'Wikipedia: Svalinn', 'Wikipedia: Third Anglo-Dutch War', 'Wikipedia: New Haven County, Connecticut', 'Wikipedia: Four-minute mile', 'Wikipedia: European dragon', 'Wikipedia: Tezcatlipoca', 'Wikipedia: Taylor County, Wisconsin', 'Wikipedia: Marion County, Texas', 'Wikipedia: Fayette County, Tennessee', 'Wikipedia: Charles W. Fairbanks', 'Wikipedia: New Youth', 'Wikipedia: Agloolik', 'Wikipedia: Watauga County, North Carolina', 'Wikipedia: Alleghany County, North Carolina', 'Wikipedia: Iktomi', 'Wikipedia: Mosin–Nagant', 'Wikipedia: Sullivan County, Missouri', 'Wikipedia: Attala County, Mississippi']
[['The Four Branches', 'Influence within the Mabinogion', 'Other legends', 'Influences on other literary works', 'Name', 'See also', 'References', 'Legacy', 'References'], ['Interrelated locations in New York City', 'Townships in the United States', 'Ships', 'Other', 'See also', 'See also', 'References', 'Bibliography', 'Graphics', 'Variants', 'See also', 'References', 'History', 'Geography', 'Features', 'Adjacent counties', 'Late 1950s to 1960s: decline', 'Advent of rock and roll', 'Revival', 'Associated musicians', 'See also', 'References'], ['Record holders', 'Possible other claims', 'James Parrott (1770)', 'Weller Run (1796)', 'Glenn Cunningham (1920s)', 'Health', 'Discrimination and mental health', 'LGBT multiculturalism', 'General', 'European cities past and present', 'Urban spaces in America', 'City', 'Intersections of race', 'Criticism of the term', 'See also', 'Early life', 'Prince Valiant', 'Retirement and death', 'Influence and legacy', 'Awards', 'References', 'Sources'], ['Terminology', 'Greek and Roman dragons', 'Middle Ages', 'Representations', 'Temples', 'Priests', 'Tezcatlipoca and Quetzalcoatl', 'History', 'Geography', 'Economy', 'Demographics', 'Politics', 'Current National Assembly Representatives', 'Culture', 'Tourism', 'See also', 'References', 'History', 'Geography', 'Adjacent counties', 'Census-designated places', 'Unincorporated communities', 'Notable residents', 'See also', 'Footnotes', 'References'], ['Awards, accolades, and other activities', 'Americana Music Awards', 'Grammy Awards', 'Radio', 'Music gear', 'Compositions', 'Discography', 'References'], ['Etymology', 'History', 'European settlement', 'Restoration', '1900s', '2000s', 'Geography', 'Cityscape', 'Neighborhoods', 'Climate', 'Demographics', '2010 census', 'Geography', 'Adjacent counties', 'Major roads', 'Fauna', 'National protected area', 'Government', 'Elections', 'Economy', 'See also', 'References'], ['Communities', 'City', 'Town', 'Unincorporated communities', 'Ghost Town', 'Politics', 'See also', 'References'], ['History', 'Geography', 'Adjacent counties', 'State protected areas', 'Demographics', '2010 census', 'History', 'Geography', 'Adjacent counties', 'Major highways', 'Demographics', '2000 census', '2010 census', 'Education', 'Universities and Colleges', 'Technology school', 'Intermediate unit', 'Public school districts', 'Private schools', 'Libraries', 'Recreation', 'Communities', 'Boroughs', 'Townships', 'Southern Louisiana segment', 'Northern Louisiana segment', 'Central Arkansas segment', 'Northern Arkansas segment and Bella Vista Bypass', 'Texas', 'Bella Vista Bypass in Missouri', 'Junction list', 'See also', 'References'], ['Further reading', 'Early life', 'Early career', 'Religion', 'Places of interest', 'Gaeltacht', 'Music', 'Sport', 'Transport', 'In popular culture', 'People', 'See also', 'Notes', 'Publishing history', 'Notable contributors', 'Chen Duxiu', "The Three Brothers Who Followed the Sun under the Sky's Rim", 'See also', 'Notes', 'References'], ['History', 'Climate', 'Geography', 'National protected areas', 'Adjacent counties', 'History', 'Geography and climate', 'Adjacent counties', 'Major highways', 'Notes', 'References', 'In literature', 'Geography', 'Major highways', 'Adjacent counties', 'National protected area', 'Demographics', 'Politics', 'Communities', 'See also', 'References', 'Other buildings', 'Transport', 'Sports', 'Notable people', '18th century', '19th century', '20th century', '21st century', 'Demography and housing', 'In the arts', 'References', 'History', 'Initial design and tests', 'History', 'Before the 19th century', '19th century', '20th century', '21st century', 'Governance', 'Culture', 'Other unincorporated communities', 'See also', 'References'], ['Public schools', 'Private schools', 'Public libraries', 'Politics', 'Local', 'State', 'Federal', 'Presidential preference', 'Communities', 'See also', 'Geography', 'Major Roads', 'Adjacent counties', 'National protected area', 'Demographics', 'Civil townships', 'Unincorporated communities', 'Ghost towns', 'See also', 'References', 'Further reading'], []]



['Wikipedia: Interstate H-1', 'Wikipedia: Maeve', 'Wikipedia: Galesburg', 'Wikipedia: Graph of a function', 'Wikipedia: Wendy Hiller', 'Wikipedia: Eagle ray', 'Wikipedia: Deoxyuridine', 'Wikipedia: Angelo Parra', 'Wikipedia: Bas-Rhin', 'Wikipedia: Lewis County, West Virginia', 'Wikipedia: Phil Madeira', 'Wikipedia: Pinckney, Michigan', 'Wikipedia: Forest County, Pennsylvania', 'Wikipedia: Coos County, Oregon', 'Wikipedia: Iron(III)', 'Wikipedia: Kachina', 'Wikipedia: Inktomi', 'Wikipedia: Boyd County, Nebraska', 'Wikipedia: Clapham', 'Wikipedia: Carter County, Missouri', 'Wikipedia: Washtenaw County, Michigan']
[['Route description', 'History', 'Interstate H-4', 'Exit list', 'Auxiliary routes', 'References', 'People with the given name', 'Other', 'In popular culture', 'References', 'People', 'Places', 'Other uses', 'See also', 'Translations', 'See also', 'Definition', 'Background', 'Preparations', 'The war in 1672', 'French success: May to June', 'Negotiations', 'Dutch recovery: July to December', '1673', 'Overview', 'Naval battles', 'National protected area', 'Government and municipal services', 'Judicial', 'Law enforcement', 'Fire protection', 'Water service', 'Politics', 'Transportation', 'Major Roads', 'Boston Post Road', 'Early years', 'Career', 'Stage', 'Film career', 'Television career', 'Personal life', 'In popular culture', 'See also', 'References', 'Further reading'], ['Notes', 'References', 'Further reading', 'References', 'Depiction', 'Legends and tales', 'Heraldry', 'Dragons in specific cultures', 'St George and the Dragon', 'Germanic dragon-like creatures', 'Lindworms', 'Sea serpents', 'Welsh dragon', 'Slavic dragon-like creatures', 'Aztec religion', 'Creation histories', 'Aztec reverence', 'See also', 'Notes', 'References'], [], ['Geography', 'Climate', 'National protected area', 'Demographics', 'Transportation', 'Major highways', 'Airports', 'Communities', 'City', 'Villages', 'Towns', 'Census-designated places', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', '2000 census', '2010 census', 'Life and career', 'Discography', 'Solo albums', 'With the Phil Keaggy Band', 'Demographics', 'Crime', 'Economy', 'Culture', 'Sports', 'Parks and recreation', 'Media', 'Government', 'Education', 'Infrastructure', 'Personal income', 'Housing', 'Media', 'Communities', 'Towns', 'Census-designated places', 'Unincorporated communities', 'See also', 'References'], ['History', 'Native Americans', 'County established', 'Geography', 'Major highways', 'Adjacent counties and parish', 'Demographics', 'Communities', 'Cities', 'Census-designated place', 'Geography', 'Demographics', '2010 census', '2000 census', '2000 census', 'Education', 'Communities', 'Cities', 'Towns', 'Unincorporated communities', 'Politics', 'See also', 'References'], ['School districts', 'Schools', 'Colleges and universities', 'Public library', 'Public Safety', 'Police', 'Fire safety', 'Politics', 'Communities', 'Cities', 'Census-designated places', 'Population ranking', 'See also', 'References', 'History', 'Geography', 'Adjacent counties', 'Senator', 'Vice President', "Hughes's running mate", 'Death', 'Legacy', 'See also', 'References'], ['References'], ['Iron(III) and life', 'Chen Hengzhe', 'Hu Shih', 'Lu Xun', 'Li Dazhao', 'Mao Zedong', 'Poetry, drama, and other fiction', 'References', 'Notes', 'Bibliography'], ['Sources', 'Demographics', 'Communities', 'Towns', 'Unincorporated communities', 'Townships', 'Economy', 'Government, public safety, politics', 'Government', 'Public safety', 'County sheriff and municipal police', 'National protected area', 'Law and government', 'Demographics', 'Communities', 'Town', 'Townships', 'Unincorporated communities', 'Population ranking', 'Notable people', 'See also', 'See also', 'References', 'History'], ['Geography', 'Major highways', 'Nearest places', 'See also', 'Notes', 'References', 'Sources', 'Technical detail', 'Refinement and production', "Nagant's legal dispute", 'Russo-Japanese War', 'World War I', 'Civil War, modernization, and wars with Finland', 'World War II', 'Increased world-wide use', 'Variants', 'Russia/USSR', 'Demographics', 'In literature', 'Education', 'Transport', 'Current', 'Nearest places', 'Notable natives or residents', 'Born in Whitechapel', 'Resident in or otherwise associated with Whitechapel', 'Future developments', 'History', 'Geography', 'Adjacent counties', 'Major highways', 'Demographics', 'Education', 'Public schools', 'Public libraries', 'Politics', 'References', 'Further reading'], ['Communities', 'Cities', 'Towns', 'Unincorporated communities', 'Ghost towns', 'Politics', 'See also', 'References'], ['History', 'Geography', 'Adjacent counties', 'Major highways', 'Demographics', 'Government']]



['Wikipedia: Pwyll', 'Wikipedia: Culann', 'Wikipedia: Scáthach', 'Wikipedia: Will Self', 'Wikipedia: William R. King', 'Wikipedia: University of North Carolina at Chapel Hill', 'Wikipedia: Matlalcueitl', 'Wikipedia: St. Croix County, Wisconsin', 'Wikipedia: Doubling the cube', 'Wikipedia: New Kent County, Virginia', 'Wikipedia: Chittenden County, Vermont', 'Wikipedia: Madison County, Texas', 'Wikipedia: Cameron County, Texas', 'Wikipedia: Dyer County, Tennessee', 'Wikipedia: Maybelline', 'Wikipedia: Ferrous', 'Wikipedia: Ho-Chunk mythology', 'Wikipedia: Alexander County, North Carolina', 'Wikipedia: Wi (mythology)', 'Wikipedia: Willesden', 'Wikipedia: Amite County, Mississippi']
[[], ['Origin of Pwyll, Prince of Dyfed', 'Pwyll, Prince of Dyfed', 'References', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages with short descriptions', 'Place name disambiguation pages', 'Short description is different from Wikidata', 'Examples', 'Functions of one variable', 'Functions of two variables', 'Generalizations', 'See also', 'References'], ['Growing anti-war sentiment in England', 'Second Peace of Westminster', 'Notes', 'References', 'Sources', 'Interstate 91', 'Interstate 95', 'Wilbur Cross Parkway', 'Interstate 84', 'Demographics', '2000 census', '2010 census', 'Demographic breakdown by town', 'Metropolitan Statistical Area', 'Education', 'Filmography', 'Film', 'Television', 'Awards and nominations', 'Academy Awards', 'References'], ['Classification', 'Aetomylaeus', 'Myliobatis', 'See also', 'References', 'References', 'Early life', 'Political career', 'History', 'Campus', 'Environment and sustainability', 'McCorkle Place and Old Well', 'Academics', 'Curriculum', 'Alas', 'Zmeys', 'Armenian "dragon": Վիշապ', 'Iberian dragons', 'Italian dragons', 'Modern dragons', 'Recent fiction', 'Also see', 'References', 'Further reading', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'A contrasting climate', 'Climate records', 'Name', 'History', 'Heraldry', 'Demography', 'Changing demographics in Bas-Rhin', 'Second homes', 'Economy', 'Law', 'Unincorporated communities', 'Population', 'Politics', 'See also', 'References'], ['Politics', 'Communities', 'City', 'Town', 'Magisterial districts', 'Unincorporated communities', 'See also', 'Footnotes', 'References', 'As guest artist', 'As song contributor', 'As composer', 'References'], ['Transportation', 'Utilities', 'Sister cities', 'See also', 'References'], ['Geography', 'Adjacent counties', 'Major highways', 'Other unincorporated communities', 'Ghost town', 'Politics', 'See also', 'References'], ['Education', 'Cultural life and recreation', 'Notable people', 'References'], ['History', 'Geography', 'Adjacent counties', 'Towns', 'Census Designated Places', 'Unincorporated Communities', 'Notable people', 'See also', 'References'], ['History', 'Geography', 'Adjacent counties', 'National protected area', 'State protected area', 'Major highways', 'Demographics', 'Law and government', 'State Senate===', 'National protected areas', 'Demographics', '2000 census', '2010 census', 'Communities', 'Cities', 'Census-designated places', 'Unincorporated communities', 'Politics', 'Economy', 'History', 'Criticism', 'Collaborations', 'References'], ['Chemistry of iron(III)', 'Complexes', 'Magnetism', 'Analysis', 'See also', 'References', 'Migration myth', 'Red Horn', 'See also', 'Overview', 'Hopi kachinas', 'Wuya', 'Zuni kachinas', 'Ceremonial dancers', 'Clowns', 'Kachina dolls', 'Origins', 'See also', 'Notes', 'Fire protection and emergency services', 'Politics', 'Education', 'K-8 schools', 'High school', 'Colleges and universities', 'Transportation', 'Major highways', 'See also', 'References', 'References'], ['History', '1998 to 1999', '21st century', 'References'], ['Adjacent counties', 'National protected areas', 'Demographics', 'Communities', 'Villages', 'Townships', 'Ghost towns', 'Politics', 'See also', 'References', 'History', 'Early history', 'Clapham in the 17th–19th centuries', 'Clapham in the 20th and 21st centuries', 'Local government', 'Geography', 'Demography', 'Clapham Common', 'Estonia', 'Finland', 'Czechoslovakia', 'China', 'Hungary', 'Romania', 'Poland', 'United States', 'Civilian use', 'Users', 'See also', 'Notes', 'References'], ['Local', 'State', 'Federal', 'Missouri presidential preference primary (2008)', 'Communities', 'Cities', 'Villages', 'Census-designated place', 'Unincorporated communities', 'Former communities', 'History', 'Creation', 'Civil War', 'Carterville', 'Timber industry', 'Mid-Continent Iron Company', 'Post boom years', 'Conservation and reforestation', 'The 1920s through the 1970s', 'Geography', 'History', '20th century to present', 'Geography', 'Major highways', 'Elected officials', 'Government services', 'Parks and recreation', 'Wireless communication', 'Miscellaneous', 'Politics', 'Economy', 'Communities', 'Cities', 'Villages']]



['Wikipedia: Rhiannon', 'Wikipedia: Danvers', 'Wikipedia: Viðfinnr', 'Wikipedia: Michael Robertson (businessman)', 'Wikipedia: New London County, Connecticut', 'Wikipedia: Separate Tables', 'Wikipedia: The Salvation Army', 'Wikipedia: Gary Larson', 'Wikipedia: Scout (Scouting)', 'Wikipedia: Chalchiuhtlicue', 'Wikipedia: Kanawha County, West Virginia', 'Wikipedia: Orangeburg County, South Carolina', 'Wikipedia: Columbia County, Oregon', 'Wikipedia: Bunker', 'Wikipedia: Hemeprotein', 'Wikipedia: Adlet', 'Wikipedia: Aholi', 'Wikipedia: Washington County, North Carolina', 'Wikipedia: Wohpe', 'Wikipedia: Box Butte County, Nebraska', 'Wikipedia: Stone County, Missouri']
[['Role in Welsh mythology and English literature', 'References'], ['Appearances', 'See also', 'References', 'Sources'], ['People', 'Places', 'In Canada', 'In the United States', 'Art, entertainment, and media', 'Notes', 'References', 'Early life', 'Career', 'Literary style', 'Political views', 'Personal life', 'Legacy', 'Awards', 'Works', 'Communities', 'Cities', 'Towns', 'See also', 'References'], ['Productions', 'Synopses', 'Revivals', 'Film adaptations', 'Notes', 'References', 'Ministers', 'Facilities', 'Churches', 'Thrift stores and charity shops', 'Adult Rehabilitation Centers', 'Hadleigh Farm Colony', 'Relationship with James Buchanan', 'Vice Presidency and death', 'Legacy and honors', 'See also', 'References'], ['Undergraduate admissions', 'Department of Public Policy', 'Honor Code', 'Libraries', 'Rankings and reputation', 'Scholarships', 'Athletics', 'Mascot and nickname', 'The Carolina Way', 'Rivalries'], ['Foundation', 'Age groups and sections', 'Religious significance', 'Archaeological records', 'Visual representations', 'Rites and rituals', 'Politics', 'Current National Assembly Representatives', 'Administration', 'Higher Education', 'Tourism', 'Religious monuments', 'Museums', 'Popular traditions', 'The stork', 'Traditional costume', 'History', 'Geography', 'Major highways', 'Airport', 'National protected area', 'Adjacent counties', 'Demographics', 'History', 'Geography', 'Adjacent counties', 'Major highways', 'Proof of impossibility', 'History', 'Solutions via means other than compass and straightedge', 'Using a marked ruler', 'In music theory', 'See also', 'References'], ['History', 'Geography', 'Adjacent counties', 'Protected areas===', 'Lakes===', 'Demographics', 'Education', 'Demographics', '2010 census', 'Government', 'Judicial', 'Elections', 'Economy', 'Personal income', 'Industry', 'Retailing', 'Real estate', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Government and infrastructure', 'Politics', 'Geography', 'Major highways', 'Adjacent counties and municipalities', 'National protected areas', 'Demographics', 'Government and infrastructure', 'Politics', 'Education', 'Major highways', 'Demographics', 'Media', 'Newspapers', 'Communities', 'Unincorporated communities', 'Politics', 'See also', 'References'], ['History', 'Geography', 'Adjacent counties', 'Demographics', '2000 census', '2010 census', 'State House of Representatives===', 'United States House of Representatives', 'United States Senate', 'Education', 'Private schools', 'Libraries', 'Communities', 'Borough', 'Townships', 'Census-designated place', 'Natural history', 'See also', 'Notes', 'References', 'Further reading'], ['Etymology', 'Types', 'Trench', 'See also', 'References', 'Notes and references'], ['Origin', 'References'], ['References', 'Further reading'], ['Geography', 'Geography', 'Adjacent counties', 'Demographics', 'Communities', 'Town', 'Townships', 'Census-designated places', 'Unincorporated communities', 'Historic post offices and other sites', 'Population ranking', 'See also', 'See also', 'History', 'Geography', 'Major highways', 'Clapham South', 'Clapham North', 'Transport', 'Shopping', 'Sport', 'Notable former and current residents', 'See also', 'References and notes', 'Further reading'], ['Current Users', 'Former users', 'See also', 'Footnotes', 'References', 'Bibliography'], ['History', 'Etymology', 'Early history', 'Industrial history', 'Modern history', 'Politics', 'Demographics', 'Transport', 'Rail and Tube', 'Townships', 'Notable people', 'See also', 'References'], ['Adjacent counties', 'Major highways', 'National protected areas', 'Demographics', 'Religion', 'Education', 'Early schools', 'Public schools', 'Public libraries', 'Politics', 'Adjacent counties', 'National protected area', 'State protected area', 'Flora and fauna', 'Demographics', 'Communities', 'Towns', 'Unincorporated communities', 'Ghost town', 'Politics', 'Charter townships', 'Civil townships', 'Census-designated place', 'Other unincorporated communities', 'Ghost town', 'See also', 'References'], []]



['Wikipedia: Fergus mac Róich', 'Wikipedia: FIFO and LIFO accounting', 'Wikipedia: Chita Oblast', 'Wikipedia: Peggy Cass', 'Wikipedia: Tēcciztēcatl', 'Wikipedia: Haut-Rhin', 'Wikipedia: Angle trisection', 'Wikipedia: Dickson County, Tennessee', 'Wikipedia: Fayette County, Pennsylvania', 'Wikipedia: Akycha', 'Wikipedia: Muyingwa', 'Wikipedia: Wakan', 'Wikipedia: Clerkenwell', 'Wikipedia: Newington, London', 'Wikipedia: Alcorn County, Mississippi', 'Wikipedia: Van Buren County, Michigan']
[["Rhiannon's story", 'Y Mabinogi: First Branch', 'Y Mabinogi: Third Branch', 'Interpretation as a goddess', 'Modern interpretations', 'See also', 'References'], ['King of Ulster', "Fergus' exile", 'Táin Bó Flidhais', 'Táin Bó Cúailnge', 'Decline and death', 'FIFO', 'LIFO', 'FEFO', 'Career', 'MP3.com', 'Linspire', 'SIPphone', 'MP3tunes', 'Ajax 13', 'Education and personal life', 'Novels', 'Short story collections', 'Non-fiction', 'Television', 'References'], ['History', 'Geography', 'Adjacent counties', 'Government and municipal services', 'Judicial', 'Law enforcement', 'Fire protection'], ['Early life', 'Stage and film', 'Other', 'Beliefs', 'Worship services', "Soldier's Covenant", 'Positional Statements', 'Community services', 'Disaster relief', 'Family Tracing Service', 'Youth groups', 'Alove UK', 'Early life and education', 'Career', 'Early cartoon work', 'The Far Side', 'Retirement', "There's a Hair in My Dirt!: A Worm's Story", 'Other works and interests', 'Rushing Franklin', 'School colors', 'School songs', 'Student life', 'Organizations and activities', 'Dining', 'Housing', 'Alumni', 'References', 'Further reading', 'Activities', 'Fellowship', 'Personal progression', 'Unit affiliation', 'Troop', 'Patrol', 'Group', 'Uniforms', 'See also', 'References', 'Childbirth', 'See also', 'References', 'Bibliography', 'Festivals', 'See also', 'References'], ['Communities', 'Cities', 'Villages', 'Towns', 'Census-designated places', 'Unincorporated communities', 'Politics', 'See also', 'References', 'Further reading', 'Demographics', '2000 census', '2010 census', 'Politics', 'Elected officials', 'Economy', 'Recreation', 'Events', 'Attractions', 'Sports', 'Background and problem statement', 'Proof of impossibility', 'Angles which can be trisected', 'Transportation', 'Highways', 'Railroads', 'Air', 'Attractions', 'Communities', 'Census-designated place', 'Unincorporated communities===', 'Media', 'Politics', 'Education', 'Higher education', 'Personal health and safety', 'Infrastructure', 'Solid waste', 'Roads', 'Athletics', 'Communities', 'Cities', 'Towns', 'Communities', 'Cities', 'Town', 'Unincorporated community', 'See also', 'References'], ['Economy', 'Media', 'Radio stations', 'Newspapers', 'Communities', 'Cities', 'Towns', 'Village', 'Census-designated places', 'Other unincorporated communities', 'History', 'The Ruskin Colony and The Coming Nation', 'U.S. Route 70', 'Native Americans', 'Economy', 'Transportation', 'Railroads', 'Major highways', 'Politics', 'Communities', 'City', 'Towns', 'Census-designated places', 'Unincorporated communities', 'Population ranking', 'See also', 'References', 'History', 'Geography', 'Adjacent counties', 'National protected area', 'Demographics', '2000 census', '2010 census', 'Artillery', 'Industrial', 'Personal', 'Munitions storage', 'Design', 'Blast protection', 'Nuclear protection', 'General features', 'Countermeasures', 'Famous installations', 'Roles', 'Hemoglobin and myoglobin', 'Myoglobin', 'Hemoglobin', 'Cytochrome c oxidase', 'Designed heme proteins', 'References'], ['Anthropological interpretation', 'Adlet stories', '"The Tornit and the Adlit"', 'Aselu', 'References', 'Literature cited', 'References', 'Adjacent counties', 'National protected area', 'Major highways', 'Demographics', 'Law and government', 'Education', 'Communities', 'Towns', 'Unincorporated communities', 'Townships', 'Politics, law and government', 'Transportation', 'Major highways', 'Railroads', 'See also', 'References'], ['All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Adjacent counties', 'Demographics', 'Communities', 'City', 'Village', 'Census-designated place', 'Other unincorporated places', 'Politics', 'See also', 'Notes', 'Geography', 'History', "Clerks' Well", 'History', 'Toponymy', 'Urban development', 'Local governance', 'Ecclesiastical parish', 'Politics', 'Road', 'Buses', 'Cycling', 'Famous people from Willesden Green', 'Popular culture', 'See also', 'References'], ['History', 'Geography', 'Adjacent counties', 'National protected area', 'Demographics', 'Education', 'Public schools', 'Private schools', 'Local', 'State', 'Federal', 'Political culture', 'Missouri presidential preference primary (2008)', 'Tourism', 'Communities', 'Cities', 'Census-designated places', 'Ghost towns', 'Notable people', 'See also', 'References'], ['History', 'Government', 'Elected officials', 'Board of Commissioners', 'Geography']]



['Wikipedia: Hefeydd', 'Wikipedia: Gwawl', 'Wikipedia: Fergus', 'Wikipedia: Wharton', 'Wikipedia: GEM (desktop environment)', "Wikipedia: Gilligan's Island", 'Wikipedia: Golden eagle', 'Wikipedia: John C. Breckinridge', 'Wikipedia: Nucleic acid nomenclature', 'Wikipedia: Angkor', 'Wikipedia: The Golden Bough', 'Wikipedia: Sheboygan County, Wisconsin', 'Wikipedia: List of French islands in the Indian and Pacific oceans', 'Wikipedia: Caledonia County, Vermont', 'Wikipedia: Lynn County, Texas', 'Wikipedia: Callahan County, Texas', 'Wikipedia: Oconee County, South Carolina', 'Wikipedia: Magnetic circular dichroism', 'Wikipedia: Intelligent transportation system', 'Wikipedia: Alignak', 'Wikipedia: Angwusnasomtaka', 'Wikipedia: Highland County, Ohio', 'Wikipedia: Warren County, North Carolina', 'Wikipedia: Alamance County, North Carolina', 'Wikipedia: Wakan Tanka', 'Wikipedia: Boone County, Nebraska', 'Wikipedia: Harald Sverdrup (oceanographer)', 'Wikipedia: Richland County, Montana', 'Wikipedia: Bagadjimbiri']
[['References', 'Other legends', 'Issue', 'See also', 'References'], ['References'], ['Academic institutions', 'References', 'Sources'], ['Administrative divisions', 'Demographics', 'References', 'Water service', 'Garbage disposal', 'Education', 'Politics', 'Demographics', '2000 census', '2010 census', 'Demographic breakdown by town', 'Income', 'Race', 'Television and stage', 'Personal life and death', 'Filmography', 'Awards and nominations', 'References'], ['History', 'History of Doughnut Day', 'Organisational structure', 'Symbols', 'Flag', 'Crest', 'Red Shield', 'Uniform', 'Tartan', 'Salute', 'Awards and honors', 'Online presence', 'Personal life', 'References'], [], ['Expanded letter code', 'Triple Helix Base Pairing', 'Historical overview', 'Seat of the Khmer Empire', 'Construction of Angkor Wat', 'See also', 'Notes', 'References', 'Subdivisions', 'History', 'Geography', 'Demographics', 'Economy', 'Law', 'Politics', 'Current National Assembly Representatives', 'Tourism'], ['Geography', 'Major highways', 'Communities', 'Cities', 'Towns', 'Magisterial districts', 'Census-designated places', 'Unincorporated communities', 'Notable people', 'See also', 'Footnotes', 'References', 'Algebraic characterization', 'Other methods', 'Approximation by successive bisections', 'Using origami', 'Using a linkage', 'With a right triangular ruler', 'With an auxiliary curve', 'With a marked ruler', 'With a string', 'With a "tomahawk"', 'See also', 'References'], ['Villages', 'Census-designated places', 'Unincorporated communities', 'See also', 'References'], ['History', 'Native Americans', 'Settlers', 'County established', 'Geography', 'Geographic features', 'Ghost town', 'See also', 'References'], ['Governor Frank G. Clement', 'Geography', 'Adjacent counties', 'State protected areas', 'Demographics', 'Government', 'County Commission', 'Responsibilities', 'Terms', 'Commission meetings', 'See also', 'References'], ['History', 'Geography', 'Adjacent counties', 'National protected areas', 'Climate', 'Demographics', 'Government', 'Politics', 'State representatives===', 'Communities', 'Cities', 'Census-designated places', 'Unincorporated communities', 'Media and news', 'Government', 'Politics', 'Economy', 'Transportation', 'Public transit', 'See also', 'Notes', 'References'], ['Background', 'Intelligent transportation technologies', 'Wireless communications', 'See also', 'Notes', 'References', 'See also', 'References'], ['History', 'Civil War', 'Aftermath', 'Dairy industry', 'World War II and the Cold War', 'Geography', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'Interpretations', 'References'], ['Geography', 'Monastic traditions', 'New River Head', 'Notoriety', 'Fashionable residential area', 'Prisons', 'Industrial Revolution', 'Clerkenwell Green', 'Radicalism', 'Local government', 'Post-war de-industrialisation and revival', 'People', 'Geography', 'References'], ['Geography', 'Major highways', 'Adjacent counties', 'Demographics', '2000 census', 'Alternative and vocational schools', 'Public libraries', 'Politics and government', 'Government', 'State', 'Federal', 'Political culture', '2008 Missouri presidential primary', 'Transportation', 'Major highways', 'Notable people', 'See also', 'References', 'Further reading'], ['History', 'Geography', 'Major highways', 'Adjacent counties', 'National protected area', 'Demographics', 'Politics', 'Communities', 'City', 'Rivers', 'Adjacent counties', 'Parks, preserves, natural areas', 'Transportation', 'Highways', 'Public transportation', 'Railroads', 'Demographics', 'Communities', 'Cities']]



['Wikipedia: Teyrnon', 'Wikipedia: Red Branch', 'Wikipedia: Somerset (disambiguation)', 'Wikipedia: New London, Connecticut', 'Wikipedia: Haute-Saône', 'Wikipedia: Jefferson County, West Virginia', 'Wikipedia: Nelson County, Virginia', 'Wikipedia: Clatsop County, Oregon', 'Wikipedia: Sabines', 'Wikipedia: Canotila', 'Wikipedia: FN FAL', 'Wikipedia: Tuscola County, Michigan']
[['Welsh Mythology', 'The Mabinogi', 'References', 'Given name or surname', 'Places', 'Other uses', 'See also', 'Places', 'People', 'See also', 'History', 'GSX', 'Known 8-bit device drivers', 'Known 16-bit device drivers', 'GEM', 'Intel versions', 'GEM/1', 'GEM/2', 'GEM XM', 'GEM/3', 'Premise', 'Cast and characters', 'Episodes', 'Pilot episode', 'First broadcast episode', 'Last broadcast episode', 'Typical plots', 'Communities', 'Cities', 'Towns', 'See also', 'References', 'Notes'], ['Description', 'Size', 'Colour', 'Moulting', 'Vocalisations', 'Flight', 'Distinguishing from other species', 'Red kettles', 'Red Shield Appeal and Self-Denial Appeal', 'Music playing', 'Publications', 'Honours', 'Controversy', 'Criticism by LGBT activists', "The Salvation Army's response", 'Canadian charity work', 'Proselytising during government-funded social service in New York', 'Early life', 'Early legal career', 'Mexican–American War', 'Political career', 'Early political career', 'Kentucky House of Representatives', 'U.S. Representative', 'First term (1851–1853)', 'See also', 'History', 'Colonial era', 'Jayavarman VII', 'Zhou Daguan', 'End of the Angkorian period', 'War with the Ayutthaya Kingdom', 'Erosion of the state religion', 'Neglect of public works', 'Natural disaster', 'Restoration, preservation, and threats', 'Water-table dropping', 'Looting', 'Summary', 'Critical reception', 'Literary influence', 'Publication history', 'Editions', 'Supplement', 'Abridged editions', 'Online text', 'See also', 'Culture', 'See also', 'References'], ['Airport', 'Adjacent counties', 'Climate', 'Demographics', 'Communities', 'Cities', 'Villages', 'Towns', 'Census-designated places', 'Unincorporated communities', 'Further reading'], ['History', 'With interconnected compasses', 'Uses of angle trisection', 'Generalization', 'See also', 'References', 'Further reading'], ['Other means of trisection', 'Indian Ocean', 'Pacific Ocean', 'See also', 'References', 'History', 'Geography', 'Geology', 'Adjacent counties', 'Demographics', '2010 census', 'Government', 'Major highways', 'Adjacent counties', 'Demographics', 'Communities', 'Cities', 'Unincorporated communities', 'Notable residents', 'Politics', 'See also', 'References', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Politics', 'Communities', 'Cities', 'Towns', 'Unincorporated communities', 'Current Commissioners', 'County Officials', 'Department Heads', 'Judicial Branch Officials', 'Education', 'Board of Education', 'Schools', 'Higher Education', 'Communities', 'City', 'History', 'Geography', 'Adjacent counties', 'National protected area', 'Demographics', '2000 census', '2010 census', 'Communities', 'Cities', 'Towns', 'State senator===', 'U.S. Representative', 'U.S. Senators', 'Education', 'Colleges and universities', 'Public school districts', 'Public cyber charter schools', 'Private schools', 'Intermediate unit', 'Transportation', 'Major highways', 'See also', 'References', 'History', 'Differences between CD and MCD', 'Measurement', 'Applications', 'Theory', 'Discrete line spectrum', 'Origins of A, B, and C Faraday Terms', 'Example on C terms', 'Example on A and B terms', 'Computational technologies', 'Floating car data/floating cellular data', 'Sensing', 'Inductive loop detection', 'Video vehicle detection', 'Bluetooth detection', 'Radar Detection', 'Information fusion from multiple traffic sensing modalities', 'Intelligent transportation applications', 'Emergency vehicle notification systems', 'See also', 'References', 'Geography', 'Adjacent counties', 'Major highways', 'Demographics', '2000 census', '2010 census', 'Politics', 'History', 'Geography', 'Adjacent counties', 'Major highways', 'Demographics', 'Law and government', 'Communities', 'Towns', 'Unincorporated communities', 'Notable residents', 'Adjacent counties', 'Demographics', 'Communities', 'Cities', 'Towns', 'Village', 'Townships', 'Census-designated places', 'Unincorporated communities', 'Ghost towns', 'Cognate terms in other languages', 'See also', 'References', 'Major highways', 'Adjacent counties', 'Demographics', 'Communities', 'Cities', 'Villages', 'Census-designated places', 'Unincorporated community', 'Politics', 'See also', 'Entertainment', 'Public houses', 'Restaurants', 'Bars', "London's Little Italy", 'Nearby areas', 'Transport', 'Rail', 'London Underground', 'National Rail', 'Background', 'Career', 'Personal life', 'Honors', 'Legacy', 'References', 'Other sources'], ['2010 census', 'Economy', 'Politics', 'Communities', 'City', 'Town', 'Census-designated places', 'Other unincorporated places', 'See also', 'References', 'Airports', 'Communities', 'Cities', 'Villages', 'Census-designated place', 'Unincorporated communities', 'See also', 'References'], ['Aboriginal gods', 'All articles lacking sources', 'All stub articles', 'Articles lacking sources from December 2009', 'Australian mythology stubs', 'Creator gods', 'Deity stubs', 'Use dmy dates from July 2019', 'Towns', 'Village', 'Unincorporated places', 'Ghost town', 'See also', 'References', 'Villages', 'Unincorporated communities', 'Townships', 'See also', 'References'], []]



['Wikipedia: Hafgan', 'Wikipedia: Fianna', 'Wikipedia: Tolland County, Connecticut', 'Wikipedia: Mictlān', 'Wikipedia: Shawano County, Wisconsin', 'Wikipedia: Mark Heard', 'Wikipedia: Lubbock County, Texas', 'Wikipedia: Calhoun County, Texas', 'Wikipedia: Jacques Brel', 'Wikipedia: James S. Sherman', 'Wikipedia: Wake County, North Carolina', 'Wikipedia: Blaine County, Nebraska', 'Wikipedia: Receiver', 'Wikipedia: Wimbledon, London', 'Wikipedia: Stoddard County, Missouri', 'Wikipedia: Carroll County, Missouri']
[['Role', 'References', 'Modern usage', 'Notes', 'Places', 'Australia', 'Bermuda', 'Canada', 'Singapore', 'South Africa', 'United States of America', 'Ships', 'Other uses', 'People with the surname', 'GEM/4 for CCP Artline', 'GEM/5 for GST Timeworks Publisher', 'ViewMAX for DR\xa0DOS', 'X/GEM', 'Ventura Publisher', 'Atari versions', 'Continued development', 'Description', 'See also', 'References', 'Production', 'Casting', 'Theme song', 'Later parody and homage', 'Cancellation', 'Nielsen ratings/television schedule', 'Film sequels', 'Spin-offs and timelines', 'Reunions and documentaries', 'Related productions', 'Geography', 'Adjacent counties', 'Demographics', '2000 census', '2010 census', 'Demographic breakdown by town', 'Taxonomy and systematics', 'Subspecies and distribution', 'Habitat and distribution', 'Eurasia', 'North America', 'Feeding', 'Activity and movements', 'Migration', 'Territoriality', 'Reproduction', 'Australian sex abuse cases', 'Unpaid labour in the UK', 'In films', 'Film studio', 'See also', 'References', 'Bibliography'], ['Second term (1853–1855)', 'Retirement from the House', 'Vice-presidency', 'Presidential campaign of 1860', 'U.S. Senator', 'Civil War', 'Service in the Western Theater', 'Service in the Eastern Theater', 'Confederate Secretary of War', 'Escape and exile', 'American Revolution', '19th century', 'Military presence', 'Geography', 'Principal communities', 'Towns created from New London', 'Climate', 'Demographics', 'Recent estimates on demographics and economic status', '2000 census', 'Unsustainable tourism', 'Religious history', 'Pre-Angkorian religion', 'Shiva and the lingam', 'Vaishnavism', 'Mahayana Buddhism', 'Hindu restoration', 'Religious pluralism', 'Theravada Buddhism', 'Archaeological sites', 'References', 'Citations', 'Further reading'], ['Administration', 'History', 'Geography', 'Economy', 'Demographics', 'Politics', 'Current National Assembly Representatives', 'Tourism', 'See also', 'Ghost towns', 'Politics', 'See also', 'References', 'Further reading'], ['Formation', 'John Brown Rebellion', 'Civil War', 'Joining West Virginia', 'County subdivisions', 'Rural Free Delivery', 'Geography', 'National protected area', 'Rivers and streams', 'Adjacent counties', 'History', 'Tributes and influence', 'Discography', 'Studio albums', 'Compilation albums', 'History', 'Hurricane Camille', 'Geography', 'Adjacent counties', 'National protected areas', 'Major highways', 'Education', 'Demographics', 'Recreation', 'Elections', 'Transportation', 'Airport', 'Major highways', 'Communities', 'Towns', 'Villages', 'Census-designated places', 'Notable people', 'See also'], ['Geography', 'Major highways', 'Ghost towns', 'See also', 'References'], ['Towns', 'Unincorporated communities', 'See also', 'References'], ['Census-designated places', 'Unincorporated communities', 'Politics', 'In popular culture', 'See also', 'References'], ['Major highways', 'Public transportation', 'Municipalities', 'Cities', 'Boroughs', 'Townships', 'Census-designated places', 'Unincorporated communities', 'Population ranking', 'Fixtures', 'History', 'Geography', 'Adjacent counties', 'Major highways', 'National protected areas', 'Demographics', '2000 census', '2010 census', 'Communities', 'Cities', 'See also', 'References', 'Youth, education and law career', 'Automatic road enforcement', 'Variable speed limits', 'Collision avoidance systems', 'Cooperative systems on the road', 'Smart transportation – new business models', 'ITS in the connected world', 'Payments and billing flexibility', 'Europe', 'United States', 'See also', 'Language', 'Historical geography', 'Origins', 'Literary evidence', 'At Rome', 'Legend of the Sabine women', 'Traditions', 'Religion', 'State', 'Education', 'School districts', 'Libraries', 'Recreation', 'Non-profits', 'Communities', 'City', 'Villages', 'Townships', 'Census-designated places', 'See also', 'References'], ['Population ranking', 'Politics and government', 'County manager', 'Current manager', 'Past managers', 'Arts and recreation', 'The arts', 'Parks', 'Sports', 'Professional', 'All articles lacking sources', 'All articles with topics of unclear notability', 'All stub articles', 'Articles lacking sources from December 2009', 'Articles with multiple maintenance issues', 'Articles with topics of unclear notability from January 2018', 'Lakota culture', 'Lakota legendary creatures', 'Lakota words and phrases', 'North American mythology stubs', 'References'], ['Geography', 'Road', 'Cycling', 'Notable people', 'See also', 'References', 'Further reading'], ['Arts, entertainment, and media', 'Music', 'Albums', 'Songs', 'History', 'Early history', '17th century', 'Geography', 'Adjacent counties', 'Major highways', 'National protected area', 'Geography', 'Adjacent counties', 'Major highways', 'History', 'Design details', 'FN production variants', 'LAR 50.41 & 50.42 (FAL HBAR & FALO)', 'FAL 50.61 (FAL FS)', 'FAL 50.62 (FAL PARA )', 'FAL 50.63 (FAL PARA 2 )', 'History', 'Geography', 'Adjacent counties', 'Major highways', 'Airport', 'Demographics', 'Religion']]



['Wikipedia: Arduinna', 'Wikipedia: Pittsfield (disambiguation)', 'Wikipedia: Saint Vincent (Antilles)', 'Wikipedia: Charter of the United Nations', 'Wikipedia: Papa Jack Laine', 'Wikipedia: Xolotl', 'Wikipedia: Saône-et-Loire', 'Wikipedia: Sam Phillips', 'Wikipedia: Middlesex County, Virginia', 'Wikipedia: Bennington County, Vermont', 'Wikipedia: Newberry County, South Carolina', 'Wikipedia: Erie County, Pennsylvania', 'Wikipedia: Cobalt bomb', 'Wikipedia: River Shannon', 'Wikipedia: Henry County, Ohio', 'Wikipedia: Untunktahe', 'Wikipedia: London Borough of Hackney', 'Wikipedia: Norbiton']
[['References'], ['Historicity', 'Legendary depiction', 'War cry and mottos', 'Notable fénnid', 'Modern use of the term', 'See also', 'References', 'People with the given name', 'See also', 'All article disambiguation pages', 'Further reading'], ['People', 'Syndication', 'Home media', 'Digitally remastered in high definition', 'In other media', 'Ginger or Mary Ann?', 'References', 'Bibliography'], ['Income', 'Race', 'Communities', 'Towns', 'Other communities', 'Politics', 'In popular culture', 'See also', 'References'], ['Longevity', 'Natural mortality', 'Killing permits', 'In human culture', 'Status and conservation', 'References', 'Further reading'], ['Summary', 'Charter Provisions', 'Preamble', 'Chapter I: Purposes And Principles', 'Article 1', 'Return to the U.S. and death', 'Legacy', 'Historical reputation', 'Monuments and memorials', 'See also', 'References', 'Bibliography', 'Further reading'], ['Arts and culture', "Eugene O'Neill", 'Music', 'Sites of interest', 'Government', 'Fort Trumbull controversy', 'Jordan v. New London', 'Transportation', 'Notable people', 'References', 'Terms and phrases', 'See also', 'Footnotes', 'References', 'Further reading'], ['Relationship to Nahuatl creation mythology', 'Other destinations', 'See also', 'References', 'References'], ['History', 'History', 'Geography', 'Adjacent counties', 'Major highways', 'Airport', 'Demographics', 'Communities', 'Major highways', 'Demographics', '2000 census', '2010 census', 'Politics', 'Communities', 'Cities', 'Towns', 'Magisterial districts', 'Census-designated places', 'Tribute albums', 'Videos', 'References'], ['Communities', 'Notable people', 'Politics', 'See also', 'References'], ['References'], ['History', 'Adjacent counties', 'Demographics', 'Elected leadership', 'Politics', 'Communities', 'Cities', 'Towns', 'Village', 'Unincorporated communities', 'Ghost Town', 'History', 'Geography', 'Adjacent counties', 'National protected area', 'Demographics', 'Education', 'Transportation', 'Major highways', 'Airport', 'Early life', 'Music career', '1953–1959', '1960–1967', '1968–1972', 'Film career', 'Final years and death', 'Legacy', 'History', 'Geography', 'Adjacent counties', 'National protected area', 'Demographics', '2000 census', 'Notable people', 'In popular culture', 'Marcellus shale impact fee', 'See also', 'References'], ['Census-designated places', 'Unincorporated communities', 'Politics', 'Economy', 'Tourism', 'See also', 'References', 'Further reading', 'Old-guard conservative in Congress', 'Vice President', 'Re-nomination, illness, and death', 'See also', 'References'], ['References'], ['Geography', 'Prominent Sabines', 'Gentes of Sabine origin', 'Romans of Sabine ancestry', 'See also', 'References', 'Sources', 'Ancient', 'Modern', 'Further reading', 'Unincorporated communities', 'See also', 'References'], ['History', 'Early history', '18th century', '19th century', '20th century', '21st century', 'Law and government', 'Politics', 'Geography', 'Adjacent counties', 'Collegiate', 'Economy', 'Education', 'Transportation', 'Interstates and U.S. highways', 'N.C. state highways', 'Notable people', 'See also', 'References', 'Further reading', 'References', 'Major highways', 'Adjacent counties', 'National protected area', 'Demographics', 'Religion', 'Communities', 'Villages', 'Unincorporated communities', 'Politics', 'References', 'History', 'Place name origin', 'Iron Age to Anglo-Saxon period', 'Later history', 'Listed buildings and conservation areas', 'Governance', 'Other uses in arts, entertainment, and media', 'Roles and professions', 'Sports', 'Technology', 'Other uses', 'See also', '18th century', '19th-century development', 'Modern history', 'Geography', 'Demography', 'Governance', 'Economy', 'The Tennis Championships', 'Sport', 'Horse riding', 'Demographics', 'Religion', 'Politics', 'Local', 'State', 'Federal', 'Political culture', 'Missouri presidential preference primary (2008)', 'Education', 'Public schools', 'Demographics', 'Education', 'Public schools', 'Public libraries', 'Politics', 'Local', 'State', 'Federal', 'Communities', 'Cities', 'FAL 50.64 (FAL PARA 3)', 'Other FN Variants', 'Sturmgewehr 58', 'Olin/Winchester FAL', 'Armtech L1A1 SAS', 'DSA FAL (DSA-58)', 'Argentina', 'Brazil', 'Germany', 'Greece', 'Government', 'Elected officials', 'Communities', 'Cities', 'Villages', 'Census-designated place', 'Other unincorporated communities', 'Charter township', 'General law townships', 'See also']]



['Wikipedia: Fianna Éireann', 'Wikipedia: Lakeland', 'Wikipedia: 521 BC', 'Wikipedia: Windham County, Connecticut', 'Wikipedia: Pongo', 'Wikipedia: Jimmy Somerville', 'Wikipedia: Easter in Latvia', 'Wikipedia: The 13th Warrior', 'Wikipedia: Loving County, Texas', 'Wikipedia: Clackamas County, Oregon', 'Wikipedia: Tivoli', 'Wikipedia: Lenape mythology', 'Wikipedia: Battle of Cunaxa', 'Wikipedia: Banner County, Nebraska', 'Wikipedia: St. Joseph County, Michigan']
[['Depictions', 'Inscriptions', 'Etymology', 'Historical references', 'Legacy', 'References'], ['Origins', 'Early years', 'Irish Volunteers', '1914 gun running', 'All disambiguation pages', 'Disambiguation pages with short descriptions', 'Place name disambiguation pages', 'Short description is different from Wikidata', 'History', 'French colony', 'British colony', 'Self-rule and independence', 'Geography', 'Biodiversity', 'Popular culture events', 'Educational Institutions', 'See also', 'References', 'Events', 'By place', 'Persian Empire', 'Births', 'Deaths', 'History', 'Geography', 'Adjacent counties', 'Places', 'People', 'Animals', 'Fictional characters', 'Fictional animals', 'Article 2', 'Chapter II: Membership', 'Chapter III: Organs', 'Chapter IV: The General Assembly', 'Chapter V: The Security Council', 'Chapter VI: Pacific Settlement of Disputes', 'Chapter VII: Action with respect to Threats to the Peace, Breaches of the Peace, and Acts of Aggression', 'Chapter VIII: Regional Arrangements', 'Chapter IX: International Economic and Social Co-operation', 'Chapter X: The Economic and Social Council', 'Early life', 'Career', 'Discography', 'Solo albums'], ['Lieldienas dates', 'Latvian customs of celebrating Lieldienas', 'Career', 'List of musicians hired by Laine to play in his bands', 'References', 'Myths and functions', 'Origin', 'Ollin and Xolotl', 'Nanahuatzin and Xolotl', 'See also', 'Notes', 'References'], ['Geography', 'Principal towns', 'Subdivisions', 'Politics', 'Current National Assembly Representatives', 'Tourism', 'See also', 'References'], ['Cities', 'Villages', 'Towns', 'Census-designated places', 'Unincorporated communities', 'Politics', 'See also', 'References', 'Further reading'], ['Unincorporated communities', 'Historic buildings and structures', 'Gallery', 'See also', 'Footnotes', 'References', 'Further reading'], ['Early life', 'The Memphis Recording Service and Sun Records', 'Elvis Presley, Johnny Cash, Jerry Lee Lewis, Carl Perkins, Roy Orbison', 'WHER', 'Other business interests', 'Rock and Roll Hall of Fame', 'Later years and death', 'Notable portrayals', 'References', 'History', 'Geography', 'Adjacent counties', 'Demographics', 'Ethnicity', 'Communities', 'Town', 'Geography', 'Adjacent counties', 'National protected areas', 'Demographics', '2000 census', '2010 census', 'Politics', 'Education', 'Law enforcement', 'Transportation', 'See also', 'References'], ['Communities', 'Cities', 'Census-designated place', 'Unincorporated communities', 'Ghost Town', 'Politics', 'See also', 'References'], ['Translations', 'Dutch', 'English', 'German', 'Other languages', 'Discography', 'Filmography', 'Statues and other tributes', 'See also', 'References', '2010 census', 'Infrastructure', 'Communities', 'Cities', 'Towns', 'Unincorporated communities', 'Politics', 'See also', 'References'], ['History', 'Geography', 'Adjacent counties', 'Major highways', 'Demographics', 'Metropolitan Statistical Area', 'Largest populations in Erie County', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Mechanism', 'Fallout from cobalt bombs vs. other nuclear weapons', 'Example of radiation levels vs. time', 'Decontamination', 'Russian "Status-6"', 'In popular culture', 'See also', 'History', 'Folklore', 'Navigation', 'Distributaries', 'Canals', 'Economics', 'Shannon eel management programme', 'Fishing', 'Water extraction', 'See also', 'Gardens, parks, and preserves', 'Entertainment venues', 'Music venues', 'Sports venues', 'Geography', 'Adjacent counties', 'Demographics', '2000 census', '2010 census', 'Politics', 'Government', 'Transportation', 'Airport', 'Climate', 'Demographics', 'Economy', 'Education', 'Higher education', 'Primary and secondary education', 'Libraries', 'Culture', 'Museums', 'Performing arts'], ['Creation myth', 'Terminology', 'Preparations', 'Battle', 'Aftermath', 'Ctesias', 'In popular culture', 'History', 'Irrigation', 'ICBMs', 'Representation', 'Administrative Heritage', 'Geography', 'Neighbourhoods', 'Topography and Landscape history', 'Housing and Industry', 'Geology', 'Climate', 'Demography', 'Ethnicity', 'History', 'Norbiton today', 'Transport and locale', 'Nearby places', 'Nearest railway stations', 'References', 'Horse racing', 'Rifle shooting', 'Football', 'Motorcycle speedway', 'Running', 'Theatres', 'New Wimbledon Theatre', "Polka Children's Theatre", 'Transport', 'Literature', 'Public libraries', 'Communities', 'Cities', 'Villages', 'Census-designated place', 'Unincorporated communities', 'See also', 'References'], ['Village', 'Unincorporated communities', 'Townships', 'Notable people', 'See also', 'References', 'Further reading'], ['Israel', 'Rhodesia', 'South Africa', 'Syria', 'United States', 'Venezuela', 'Conflicts', 'Users', 'Non-state users', 'Former users', 'References', 'Further reading'], []]



['Wikipedia: Arnemetia', 'Wikipedia: Artio', 'Wikipedia: Digital Research', 'Wikipedia: Dassault Aviation', 'Wikipedia: John Lott', 'Wikipedia: Marha', 'Wikipedia: Sheriff', 'Wikipedia: Cōātlīcue', 'Wikipedia: Guédé', 'Wikipedia: Sawyer County, Wisconsin', 'Wikipedia: Jackson County, West Virginia', 'Wikipedia: Phil Keaggy', 'Wikipedia: Caldwell County, Texas', 'Wikipedia: DeKalb County, Tennessee', 'Wikipedia: McCormick County, South Carolina', 'Wikipedia: Len Sassaman', 'Wikipedia: Peroxidase', 'Wikipedia: Tivoli, Lazio', 'Wikipedia: Amaguq', 'Wikipedia: Wakinyan', 'Wikipedia: Northolt', 'Wikipedia: Ste. Genevieve County, Missouri', 'Wikipedia: Cape Girardeau County, Missouri', 'Wikipedia: Thunder']
[['References', 'Easter Rising (1916)', 'Post 1916 reorganisation', 'Army Agreement', 'War of Independence', 'Civil War', '1925 Ard Fhéis', 'Fianna proscribed', 'Fianna organisation after 1950', 'Uniform changes ca. 1958', 'Jubilee Camp 1959', 'Places', 'Australia', 'Canada', 'Finland', 'Turkey', 'United Kingdom', 'United States', 'People', 'Schools'], ['Overview', 'CP/M-86 and DOS', 'References', 'History', 'Subsidiaries', 'Government', 'Transportation', 'Roads', 'Air', 'Biking', 'Law enforcement', 'Demographics', 'Demographics breakdown by town', 'Politics', 'Communities', 'Fictional places', 'See also', 'Academic career', 'Chapter XI: Declaration regarding Non-Self-Governing Territories', 'Chapter XII: International Trusteeship System', 'Chapter XIII: The Trusteeship Council', 'Chapter XIV: The International Court of Justice', 'Chapter XV: The Secretariat', 'Functions of the Secretariat', 'Chapter XVI: Miscellaneous Provisions', 'Chapter XVII: Transitional Security Arrangements', 'Chapter XVIII: Amendments', 'Chapter XIX: Ratification and Signature', 'with Bronski Beat', 'with The Communards', 'Awards', 'See also', 'References'], ['Egg-related beliefs', 'Swing-related beliefs', 'Other Lieldienas beliefs'], ['Plot', 'Cast', 'Production', 'Reception', 'Soundtrack', 'See also', 'References', 'Etymology', 'Myths', 'See also', 'Marassa: The divine twins', 'The Guédé Barons', 'References', 'Sources', 'History', 'Geography', 'Major highways', 'History', 'Incorporation and splits', 'American Civil War', 'Postwar development', 'Geography', 'Notes'], ['Career', 'Census-designated places', 'Other unincorporated communities', 'Politics', 'See also', 'References', 'Further reading'], ['Major highways', 'Bus', 'Air', 'Communities', 'Towns', 'Villages', 'Census-designated places', 'See also', 'References'], ['History', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Politics', 'Economy', 'Education', 'Communities', 'Census-designated place', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'Notes', 'Citations', 'Bibliography'], ['Geography', 'Notable people', 'Adjacent Counties', 'Government and politics', 'County Legislature', 'Judiciary', 'Row officers', 'Politics', 'State Senate', 'State House of Representatives', 'United States House of Representatives', 'United States Senate', 'Financial info', '2000 census', '2010 census', 'Communities', 'Cities', 'Census-designated places', 'Hamlet', 'Unincorporated communities', 'Law and government', 'County Commissioners', 'County Officials', 'References', 'Early life and education', 'Career', 'Notes', 'References'], ['Other', 'Places', 'Towns', 'Neighborhoods and housing', 'Other geographical entities', 'Other uses', 'Communities', 'City', 'Villages', 'Townships', 'Census-designated place', 'Other unincorporated communities', 'See also', 'References'], ['Visual arts', 'Sports', 'Professional', 'College', 'Amateur', 'Transportation', 'Passenger', 'Roads', 'Interstate routes', 'U.S. Routes', 'References', 'Further reading', 'All articles lacking sources', 'References', 'Further reading'], ['Geography', 'Adjacent counties', 'Highways', 'Demographics', 'Economy', 'Education', 'Communities', 'Politics', 'See also', 'Notes', 'Public libraries', 'Transport', 'London Overground', 'Travel to work', 'Notable people', 'Attractions and institutions', 'Twinned towns', 'References'], ['History', 'Landmarks', 'Northolt Village', 'Geography', 'Notable residents', 'Amenities', 'Major public open spaces', 'Museums', 'Schools', 'Places of worship', 'See also', 'References'], ['History', 'Geography', 'Adjacent counties', 'Major highways', 'History', 'Geography', 'Adjacent counties', 'Major highways', 'Demographics', 'See also', 'References'], ['History', 'Geography', 'Adjacent counties', 'Major highways', 'Demographics', 'Government', 'Elected officials', 'Communities', 'Cities', 'Villages']]



['Wikipedia: Bobby Orr', 'Wikipedia: History of Armenia', 'Wikipedia: 518 BC', 'Wikipedia: Joint Vision 2020', 'Wikipedia: Mara', 'Wikipedia: Ahmad ibn Fadlan', 'Wikipedia: Coyolxāuhqui', 'Wikipedia: Sarthe', 'Wikipedia: Mecklenburg County, Virginia', 'Wikipedia: Addison County, Vermont', 'Wikipedia: Llano County, Texas', 'Wikipedia: Charles G. Dawes', 'Wikipedia: Harrison County, Ohio', 'Wikipedia: Anog Ite', 'Wikipedia: Arthur County, Nebraska', 'Wikipedia: Cockfosters', 'Wikipedia: Winchmore Hill', 'Wikipedia: St. Clair County, Michigan']
[['Representations and inscriptions', 'Etymology', 'Popular culture', 'References'], ['Junior members', 'New Fianna handbook', 'Arrest of Fianna officers', 'Activities', 'After 1969', 'Leaders', 'See also', 'References', 'Bibliography'], ['Art and entertainment', 'Other uses', 'See also', 'Notable employees', 'Acquisitions', 'See also', 'References', 'Further reading'], ['Shareholders', 'Dassault Aviation Group management', 'Chief executive officers', 'Management committee', 'Products', 'Military', 'Civilian', 'Facilities and offices', 'Production', 'Service Facilities', 'See also', 'References'], ['Popular press and electronic media', 'Concealed weapons and crime rate', "Women's suffrage and government growth", 'Defensive gun use', 'Safe storage gun laws', 'Environmental regulations', 'Affirmative action in police departments', 'Abortion and crime', 'Lost Bush votes in the 2000 presidential election', 'Other areas', 'See also', 'Footnotes', 'References'], ['See also', 'Description', 'Great Britain and Ireland', 'England, Wales and Northern Ireland', 'Scotland', 'Sheriffs principal', 'Sheriffs', 'Summary sheriffs', 'Republic of Ireland', 'Australia'], ['Biography', 'Background', 'References', 'Further reading'], ['History', 'Geography', 'Demographics', 'Airport', 'Adjacent counties', 'National protected areas', 'Demographics', 'Communities', 'Cities', 'Villages', 'Towns', 'Census-designated places', 'Unincorporated communities', 'Major highways', 'Adjacent counties', 'National protected area', 'Demographics', '2000 census', '2010 census', 'Politics', 'Communities', 'Cities', 'Magisterial districts', 'Early life', '1960s', '1970s', '1980s', '1990s', '2000s', 'Rumored comments by Jimi Hendrix and others', 'Personal life', 'Discography', 'References', 'History', 'Government', 'Constitutional officers', 'Officers', 'Education', 'Government and infrastructure', 'History', 'Geography', 'Adjacent counties', 'Ghost towns', 'In popular culture', 'See also', 'References'], ['Demographics', 'Communities', 'Cities', 'Unincorporated communities', 'Ghost Towns', 'Politics', 'See also', 'References'], ['History', 'Geography', 'Adjacent counties', 'State protected areas', 'Demographics', 'Communities', 'City', 'Towns', 'Unincorporated communities', 'National protected area', 'Demographics', '2000 census', '2010 census', 'Communities', 'Towns', 'Census-designated places', 'Politics', 'See also', 'References', 'Education', 'Public school districts', 'Approved private schools', 'Community College', 'Recreation', 'Annual events', 'Communities', 'Cities', 'Boroughs', 'Townships', 'State Representatives', 'State Senators', 'United States Representatives', 'Economy', 'Infrastructure', 'Notable people', 'See also', 'References', 'Further reading'], ['Death', 'See also', 'References'], ['Functionality', 'Optimal substrates', 'Classification', 'Characterization', 'Pathogenic resistance', 'Applications', 'See also', 'References'], ['History', 'Roman age', 'Roman gentes with origins in Tibur', 'Middle Ages', 'Renaissance', 'Modern times', 'Geography', 'History', 'Geography', 'Adjacent counties', 'Conotton Creek Trail', 'State Routes', 'Bicycles', 'Parks and recreation', 'State parks', 'County parks and recreation centers', 'Hospitals', 'Communities', 'Cities', 'Towns', 'Townships', 'All stub articles', 'Animal gods', 'Articles lacking sources from December 2009', 'Articles with short description', 'Inuit gods', 'Mythological canines', 'Mythological dogs', 'North American mythology stubs', 'Short description matches Wikidata', 'Trickster gods', 'References', 'See also', 'References', 'References'], ['History', 'Origins and popular attractions', 'Geography', 'Education', 'Theatre and the arts', 'Demography', 'Population', 'Crime', 'RAF Northolt', 'Pony racing', 'Education', 'Transport', 'Political representation', 'Nearest places', 'Notable people', 'History', 'Winchmore Hill today', 'Demography', 'In the arts', 'National protected area', 'Mountains and hills', 'Valleys', 'Demographics', 'Education', 'Public schools', 'Private schools', 'Public libraries', 'Politics', 'Local', 'Religion', 'Education', 'Public schools', 'Private schools', 'Post-secondary education', 'Public libraries', 'Politics', 'Local', 'State', 'Federal', 'Etymology', 'Cause', 'Consequences', 'Types', 'Perception', 'See also', 'References'], ['Unincorporated communities', 'Townships', 'See also', 'References'], []]



['Wikipedia: Arvernus', 'Wikipedia: Matronae Aufaniae', 'Wikipedia: Goll mac Morna', 'Wikipedia: Charles Perrault', 'Wikipedia: Stand by Me (film)', 'Wikipedia: Braunschweiger (sausage)', 'Wikipedia: Haute-Savoie', 'Wikipedia: Sauk County, Wisconsin', 'Wikipedia: Harrison County, West Virginia', 'Wikipedia: Bruce Cockburn', 'Wikipedia: Burnet County, Texas', 'Wikipedia: Decatur County, Tennessee', 'Wikipedia: Marlboro County, South Carolina', 'Wikipedia: Elk County, Pennsylvania', 'Wikipedia: Benton County, Oregon', 'Wikipedia: Mohammed Deif', 'Wikipedia: List of Brazilians', 'Wikipedia: Vance County, North Carolina', 'Wikipedia: Salishan oral narratives', 'Wikipedia: Tate (disambiguation)', 'Wikipedia: Northwood, London', 'Wikipedia: Colt AR-15']
[['References', 'References', 'Hockey career', 'Early life', 'Orr and Eagleson', 'Bruins career', '1966–67', '1967–68', '1968–69', '1969–70: OT Winner, first cup', '1970–71', '1971–72: Second and final cup', 'Prehistory', 'Bronze Age', 'Iron Age', 'Antiquity', 'Orontid dynasty', 'Artaxiad dynasty', 'Roman Armenia', 'Sales Offices', 'DAS Network', 'See also', 'References'], ['Events', 'By topic', 'Architecture', 'Births', 'Deaths', 'References', 'Controversy', 'Defamation suit', "Charges that gun makers or the NRA have paid for Lott's research", 'Disputed survey', 'Use of econometrics as proof of causation', 'Mary Rosh persona', 'Bibliography', 'See also', 'References'], ['See also'], ['Animals', 'Arts and entertainment', 'Fictional characters', 'Other uses in arts and entertainment', 'Ethnic and cultural groupings', 'Folklore, mythology, and religion', 'Languages', 'Military and transport', 'Organisations and enterprises', 'North America', 'Canada', 'Alberta', 'British Columbia', 'Nova Scotia', 'United States', 'India', 'South Africa', 'Related offices', 'Iceland', 'The embassy', 'Ethnographic writing', 'Manuscript tradition', 'Account of the Volga Bulgars', "Account of the Rus'", 'Editions and translations', 'Appearances in popular culture', 'See also', 'Notes', 'References', "Birth of Huitzilopochtli and Coyolxauqui's defeat at Coatepec", 'Templo Mayor stone disk', 'Discovery', 'Location', 'Creation', 'Imagery', 'Uses', 'Role in sacrifice', 'See also', 'References', 'Politics', 'Current National Assembly Representatives', 'Tourism', 'See also', 'References'], ['Politics', 'See also', 'References', 'Further reading'], ['Current', 'Historic', 'Unincorporated communities', 'See also', 'References'], [], ['Early life and education', 'Career', 'County departments and department heads', 'State representation', 'Politics', 'Geography', 'Adjacent counties', 'Major highways', 'Demographics', 'Communities', 'Towns', 'Census-designated places', 'National protected area', 'Demographics', '2000 census', '2010 census', 'Politics', 'Education', 'Transportation', 'Air', 'Public Transportation', 'Major highways', 'History', 'Darmstadt Society of Forty', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Communities', 'Cities', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'Education', 'Politics', 'See also', 'References'], ['History', 'European colonization and later history', 'Geography', 'Census-designated places', 'Population ranking', 'See also', 'References'], ['History', 'Geography', 'Adjacent counties', 'Early life and family', 'Education', 'Early business career', 'Interest in music', 'Early political career', 'World War I participation and the Nobel Peace Prize', 'Vice presidency', "Court of St. James's and the RFC", 'Later life', 'Hamas', 'Assassination attempts', 'Quotes', 'References', 'Climate', 'Main sights', 'Economy and infrastructure', 'Influences', 'References'], ['Demographics', '2000 census', '2010 census', 'Politics', 'Communities', 'Villages', 'Townships', 'Census-designated place', 'Unincorporated communities', 'Notable residents', 'Unincorporated communities', 'See also', 'References'], ['Wolves in religion', 'Genres', 'From the mythology of the Kalispel, an Interior Salish people', 'Arts and entertainment', 'Places', 'Businesses', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Religion', 'Politics', 'Communities', 'Village', 'Unincorporated communities', 'See also', 'Sport and leisure', 'Demographics', 'Culture', 'People', 'Transport', 'References'], ['Northolt on television', 'References', 'Sources'], ['Notable residents', 'Schools', 'Primary', 'Secondary', 'Independent', 'Transport', 'Railway', 'Buses', 'Nearby places', 'Bibliography', 'State', 'Federal', 'Political culture', 'Missouri presidential preference primary (2008)', 'Communities', 'Cities', 'Census-designated places', 'Unincorporated communities', 'Ghost towns', 'Townships', 'Political culture', 'Communities', 'Cities', 'Villages', 'Unincorporated communities', 'See also', 'References'], ['History', 'Operating mechanism', 'Features', 'Upper receivers', 'Lower receivers', 'Etymology', 'Geography', 'Adjacent counties', 'Major highways', 'Demographics', 'Government', 'Elected officials', 'Parks']]



['Wikipedia: Afallach', 'Wikipedia: Fionn', 'Wikipedia: Finn', 'Wikipedia: Interstate 70', 'Wikipedia: Ferdinand I', 'Wikipedia: Schuyler Colfax', 'Wikipedia: Wyandotte, Michigan', 'Wikipedia: Pez', 'Wikipedia: Huitzilopochtli', 'Wikipedia: Mathews County, Virginia', 'Wikipedia: Underground comix', 'Wikipedia: Hardin County, Ohio', 'Wikipedia: Čhápa', 'Wikipedia: Antelope County, Nebraska', 'Wikipedia: Coulsdon', 'Wikipedia: Ravalli County, Montana', 'Wikipedia: St. Louis County, Missouri', 'Wikipedia: Camden County, Missouri']
[['Notes', 'References', 'External link', 'See also', '1972–73', '1973–74', '1974–75', '1975–76', 'Free agency, and the move to Chicago', '1976 Canada Cup', 'Retirement', 'Style of play', 'Post-hockey career', 'Personal life', 'Arsacid dynasty', 'Christianization', 'Persian Armenia', 'Middle Ages', 'Arab Caliphates, Byzantium and Bagratid Armenia', 'Sallarid dynasty', 'Seljuq Armenia', 'Armenian Kingdom of Cilicia', 'Early Modern period', 'Russian Armenia', 'Life and work', 'Fairy tales', 'See also', 'References', 'Further reading'], ['Plot', 'Cast', 'Production', 'Casting', 'Filming', 'Locations', 'Music', "Lott's websites", "Regarding Lott's research", 'Route description', 'Germany', 'Austria', 'North America', 'See also', 'References'], ['People with the name', 'Places', 'Other uses', 'See also', 'See also', 'References'], ['Sources'], ['History'], ['Etymology', 'Origin stories', 'History', 'Politics', 'Departmental Council of Haute-Savoie', 'Members of the National Assembly', 'Senators', 'Geography', 'Forests', 'History', 'Geography', 'Major highways', 'Airports', 'Adjacent counties', 'Demographics', 'Communities', 'Cities', 'History', '18th century', '19th century', 'Geography', 'Major highways', 'Airports', 'Adjacent counties', 'Early career', '1980s and 1990s', '2000s', 'Activism', 'Documentaries and soundtracks', 'Covers and tributes', 'Awards and honours', '1980–2010', '2010s', 'Equipment', 'Other unincorporated communities', 'See also', 'References'], ['Communities', 'City', 'Towns', 'Census-designated places', 'Other unincorporated communities', 'See also', 'References'], ['Census-designated places', 'Other unincorporated communities', 'Ghost towns', 'Notable people', 'Politics', 'See also', 'References', 'Further reading'], ['National protected area', 'Demographics', 'Communities', 'Cities', 'Unincorporated communities', 'Notable people', 'Politics', 'See also', 'References'], ['History', 'Geography', 'Adjacent counties', 'National protected area', 'State protected area', 'Demographics', 'Communities', 'City', 'Adjacent counties', 'Demographics', '2000 census', '2010 census', 'Politics', 'Transportation', 'Airports', 'Communities', 'Cities', 'Towns', 'Geography', 'Adjacent counties', 'National protected area', 'State protected areas', 'Major highways', 'Demographics', 'Politics and government', 'County commissioners', 'National protected areas', 'Demographics', '2000 census', '2010 census', 'Communities', 'Cities', 'Census-designated places', 'Unincorporated communities', 'Politics and government', 'Economy', 'Memberships', 'Honors', 'United States military awards', 'Foreign honors', 'Legacy', 'Selected writings', 'See also', 'Notes', 'References', 'Bibliography', 'History', 'United States', 'Early history (1967–1972)', 'Actors', 'Architects and urban planners', 'Artists', 'Athletes', 'Diplomats', 'Environmentalists', 'Film directors', 'See also', 'References'], ['History', 'Geography', 'Adjacent counties', 'Major highways', 'Demographics', 'Law and government', 'Politics', 'Education', 'Historical schools', 'From the traditions of the Skwxwu7mesh, a Coast Salish people', "From the traditions of the Sts'Ailes (Chehalis)", 'See also', 'Notes', 'References'], ['Further reading', 'People', 'Other uses', 'See also', 'References'], ['Geography', 'History', 'Economy', 'Quarrying', 'Place name', 'Localities', 'Old Coulsdon', 'History', 'Toponymy', 'Early developments', 'Urban development', '1948 Air Disaster', 'Geography', 'Localities', 'Northwood Hills', 'Landmarks', 'References'], ['History', 'See also', 'References'], ['Geography', 'Adjacent counties', 'Major highways', 'Fire Towers', 'Demographics', 'Sights', 'Muzzle devices', 'Magazines', 'Comparison to military versions', 'AR-15 style rifle', 'Used in mass shootings', 'Gallery', 'See also', 'References', 'Bibliography', 'Communities', 'Cities', 'Villages', 'Census-designated place', 'Other unincorporated communities', 'Townships', 'See also', 'References'], []]



['Wikipedia: Modron', 'Wikipedia: 674 BC', 'Wikipedia: The Choir (alternative rock band)', "Wikipedia: Inverse gambler's fallacy", 'Wikipedia: Live Oak County, Texas', 'Wikipedia: Burleson County, Texas', 'Wikipedia: Davidson County, Tennessee', 'Wikipedia: Karen Hesse', 'Wikipedia: Baker County, Oregon', 'Wikipedia: Charles Curtis', 'Wikipedia: Faux pas', 'Wikipedia: Bamapana', 'Wikipedia: Shiawassee County, Michigan']
[['References', 'Places', 'People', 'Cultural groups with the name', 'People with the name', 'Animals', 'Mythological figures', 'Arts  entertainment, and media', 'Honours', 'Career achievements', 'Awards', 'Records', 'Career statistics', 'Regular season and playoffs', 'International play', 'See also', 'References', 'Bibliography', 'Ottoman Armenia', '20th century', 'The Armenian Genocide (1915–1921) and First World War', 'First Republic of Armenia (1918–1920)', 'Transcaucasian Federation (1917–1918)', 'Georgian–Armenian War (1918)', 'Armenian-Azerbaijan War', 'Paris Peace Conference', 'Treaty of Sèvres', 'Turkish and Soviet Invasion', 'Events', 'By place', 'Egypt', 'Births', 'Deaths', 'Title', 'Reception', 'Awards', 'Box office', 'Critical response', 'Nominations', 'Legacy', 'Events and tourism', 'Movies', 'Production company', 'Utah', 'Colorado', 'Kansas', 'Missouri', 'Illinois', 'Indiana', 'Ohio', 'West Virginia', 'Pennsylvania', 'Maryland', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages with short descriptions', 'Human name disambiguation pages', 'Short description is different from Wikidata', 'Early life', 'Newspaper editor', 'Whig Party delegate', 'U.S. Representative (1855–1869)', 'Know Nothing party affiliation', 'Opposition to slavery', 'Civil War', 'Speaker of the House', 'Reconstruction', 'History', 'Business and industry', 'Government and municipal services', 'Education', 'Primary and secondary schools', 'Public schools', 'Catholic schools', 'Historic sites', 'Sports and recreation', 'F.O.P. Park', 'Patents', 'Injection mold codes', 'Characters', 'List of Pez sets of popular characters', 'Fandom', 'Value of Pez dispensers', 'Pez conventions and gatherings', 'Film adaptation', 'See also', 'References', 'History', 'The Templo Mayor', 'The Coyolxauhqui stone', 'Mythology', 'Origins of Tenochtitlan', 'Iconography', 'Calendar', 'See also', 'Notes', 'References', 'Lakes', 'Demographics', 'Economy', 'Agriculture', 'Crafts', 'Construction and public works', 'Trade', 'Retail', 'Companies', 'Industry', 'Villages', 'Towns', 'Census-designated places', 'Other unincorporated communities', 'Politics', 'See also', 'References', 'Further reading'], ['Protected areas', 'Lakes===', 'Demographics', '2000 census', '2010 census', 'Communities', 'Cities', 'Towns', 'Magisterial Districts', 'Census-designated places', 'Personal life', 'Discography', 'Notes', 'References'], ['History', 'Geography', 'Adjacent counties', 'Demographics', 'Ethnicity', 'Communities', 'Census-designated places', 'Other unincorporated communities', 'Sports, events', 'Real-world examples', 'See also', 'References', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Geography', 'Major highways', 'Adjacent counties', 'Towns', 'Unincorporated communities', 'Politics', 'See also', 'References'], ['Census-designated places', 'See also', 'References'], ['Other county offices', 'State representative===', 'State senator===', 'U.S. representative', 'Education', 'Public school districts', 'Private schools', 'Libraries', 'Communities', 'City', 'See also', 'References', 'Further reading'], [], ['Early life and education', 'Marriage and family', 'Recognition and controversy (1972–1982)', '1982–present', 'United Kingdom', 'Archives', 'See also', 'References', 'Bibliography'], ['Executives and business entrepreneurs', 'Explorers and discoverers', 'Fashion designers', 'Geologists', 'Heroes and historical figures', 'Intellectuals and thinkers', 'Models', 'Female', 'Male', 'Monarchs', 'Geography', 'Adjacent counties', 'Demographics', '2000 census', '2010 census', 'Politics', 'Airports', 'Major highways', 'Science', 'Media', 'Communities', 'City', 'Towns', 'Census-designated place', 'Unincorporated communities', 'Townships', 'Notable people associated with Vance County', 'See also', 'References'], ['Articles with short description', 'English words', 'Monitored short pages', 'Protected soft redirects', 'Redirects to Wiktionary', 'Short description matches Wikidata', 'All articles lacking sources', 'All stub articles', 'Articles lacking sources from October 2008', 'Lakota culture', 'Lakota spirit beings', 'Mythological rodents', 'North American mythology stubs', 'Adjacent counties', 'Major highways', 'Protected areas', 'Demographics', 'Communities', 'Cities', 'Villages', 'Townships', 'Politics', 'See also', 'Smitham Bottom or Valley', 'The Marlpit business and industrial estate', 'The Mount or Clockhouse', 'Coulsdon Woods', 'Cane Hill', 'Open spaces', 'Places of religious interest', 'Leisure', 'Demography', 'Education', 'Northwood Grange', 'London School of Theology', 'Northwood Hills tube station', 'Demography', 'Transport', 'Schools', 'Culture and community', 'Sport', 'Local government', 'Notable people', 'Geography', 'Major highways', 'Adjacent counties', 'National protected areas', 'Demographics', '2000 census', '2010 census', 'Economy', 'Politics', 'Communities', 'History', 'Colonial settlement and early government', 'Prewar growth and early education', 'Government changes and early courthouses', 'Separation of St. Louis and St. Louis County', 'Post-separation political issues', 'Growth of education and municipalities', 'Post-World War II era', 'Geography', 'Natural boundaries', 'Education', 'Public schools', 'Private schools', 'Public libraries', 'Politics', 'Local', 'State', 'Federal', 'Political culture', 'Missouri presidential preference primary (2008)'], ['References', 'History', 'Geography', 'Adjacent counties', 'Transportation']]



['Wikipedia: Aveta', 'Wikipedia: Goal (disambiguation)', 'Wikipedia: Scarborough', 'Wikipedia: Warrenton', 'Wikipedia: Kent County, Delaware', 'Wikipedia: Carl Larsson', 'Wikipedia: Tweety', 'Wikipedia: Seismic wave', 'Wikipedia: Tlāhuizcalpantecuhtli', 'Wikipedia: Rusk County, Wisconsin', 'Wikipedia: Martinsville, Virginia', 'Wikipedia: Zavala County, Texas', 'Wikipedia: The Country Girl', 'Wikipedia: Three Coins in the Fountain (film)', 'Wikipedia: Westland Aircraft', 'Wikipedia: Nuu-chah-nulth mythology', 'Wikipedia: Cetan', 'Wikipedia: Alpha Herculis', 'Wikipedia: Organisation internationale de la Francophonie', 'Wikipedia: Norwood', 'Wikipedia: Bobbi-Bobbi']
[['Origin', 'Appearances', 'References', 'Bibliography', 'Fictional characters', 'Music', 'Other uses in arts, entertainment, and media', 'Other uses', 'See also'], ['People', 'Places', 'Armenia in the Soviet Union (1922–1991)', 'Independent Armenia (1991-today)', 'Ter-Petrosyan Presidency (1991–1998)', 'Kocharyan Presidency (1998–2008)', 'Sargsyan Presidency (2008)', 'See also', 'References', 'Citations', 'Books', 'Publications', 'References', 'All article disambiguation pages', 'All disambiguation pages', 'Television', 'References'], ['Reviews', 'History', 'Junction list', 'Auxiliary routes', 'References'], ['Personality and identity', 'Creation by Bob Clampett', 'Freleng takes over', 'Later appearances', 'Merchandise', 'Election of 1868', 'Vice president (1869–1873)', 'Italian unity', 'Election of 1872', 'Crédit Mobilier scandal', 'Lecturer and business executive', 'Personal life', 'Death and burial', 'Historical reputation', 'Media portrayals', 'Kiwanis Park', 'Lions Club Park', 'Oak Club Park', 'Pulaski Park', 'V.F.W Playfield', 'WAA Park', 'Transportation', 'Public transportation', 'Street grid', 'Geography', 'Further reading'], ['Types'], ['Origin Story', 'Effects', 'Companies in Haute-Savoie', 'Research', 'Services', 'Tourism', 'Cross-border workers', 'Export', 'Taxation', 'Transport', 'Sources', 'See also', 'History', 'Geography', 'Adjacent counties', 'Major highways', 'Charles Pointe Master-Planned Community', 'Politics', 'Historical landmarks', 'Notable people', 'See also', 'Footnotes', 'References'], ['History', 'Southern California period (1983–1993)', 'Initial Nashville period (1994–2009)', 'Ongoing creative activity (2010–present)', 'Other projects', 'Personnel', 'Discography', 'Studio albums', 'Notable residents', 'Politics', 'See also', 'References'], ['History', 'Native Americans', 'The Wild Horse Desert', 'County established and growth', 'Winter Garden', 'Government and infrastructure', 'Politics', 'Communities', 'Cities', 'Village', 'Unincorporated communities', 'Ghost town', 'See also', 'References'], ['Demographics', 'Communities', 'Cities', 'Unincorporated communities', 'Bygone communities', 'Politics', 'See also', 'References'], ['History', 'Notable residents', 'Geography', 'Adjacent counties', 'National protected area', 'State protected areas', 'Major highways', 'Early years and education', 'Career', 'Awards', 'Works', 'See also', 'References'], ['Boroughs', 'Census-designated places', 'Unincorporated communities', 'Townships', 'Population ranking', 'See also', 'References', 'History', 'Geography', 'Adjacent counties', 'National protected areas', 'Demographics', '2000 census', '2010 census', 'Politics', 'Economy', 'House of Representatives (1893–1907)', 'Senate (1907–1913; 1915–1929)', 'Vice presidency (1929–1933)', 'After politics', 'Legacy and honors', 'See also', 'References', 'Further reading'], ['See also', 'Musicians', 'Politicians', 'Religious leaders', 'Journalists and TV celebrities', 'Writers and poets', 'Science and technology', 'See also', 'References', 'Communities', 'City', 'Villages', 'Townships', 'Census-designated place', 'Other unincorporated communities', 'Notable people', 'See also', 'References'], ['History', 'Foundation', 'World War Two', 'Wikidata redirects', 'Wikipedia indefinitely semi-protected pages', 'Matlose', 'All articles lacking sources', 'All articles with topics of unclear notability', 'All stub articles', 'Articles lacking sources from December 2009', 'Articles with multiple maintenance issues', 'Articles with topics of unclear notability from January 2018', 'References'], ['Nomenclature', 'Nearest places', 'Railway', 'References'], ['References', 'Notes', 'Citations', 'Bibliography'], ['City', 'Towns', 'Census-designated places', 'Unincorporated communities', 'Notable residents', 'See also', 'References'], ['Topography', 'Geology', 'Flora and fauna', 'Climate', 'Other geography', 'Demographics', 'Economy', 'Arts and culture', 'West County', 'Mid County', 'Communities', 'Cities', 'Villages', 'Census-designated places', 'Other unincorporated places', 'See also', 'References', 'Further reading'], ['References', 'Highways', 'Rail', 'Airport', 'Demographics', 'Government', 'Elected officials', 'Communities', 'Cities', 'Villages', 'Charter townships']]



['Wikipedia: Derek Bailey (guitarist)', 'Wikipedia: Charles VI', 'Wikipedia: Watervliet', 'Wikipedia: Laima', 'Wikipedia: Mictlāntēcutli', 'Wikipedia: Seine-et-Marne', 'Wikipedia: Hardy County, West Virginia', 'Wikipedia: Military strategy', 'Wikipedia: Brown County, Texas', 'Wikipedia: Ascribed characteristics', 'Wikipedia: Delaware County, Pennsylvania', 'Wikipedia: Tsar Bomba', 'Wikipedia: Jacques Rogge', 'Wikipedia: Hancock County, Ohio', 'Wikipedia: Anguta', 'Wikipedia: Unhcegila', 'Wikipedia: Victoria Williams', 'Wikipedia: Woolwich', 'Wikipedia: Callaway County, Missouri', 'Wikipedia: Yellow Medicine County, Minnesota', 'Wikipedia: Schoolcraft County, Michigan']
[['References'], ['Sport', 'Arts, entertainment and media', 'Films', 'Games', 'Literature', 'Other uses', 'See also', 'Australia', 'Canada', 'United Kingdom', 'United States', 'Elsewhere', 'Ships', 'Sport', 'Other uses', 'See also', 'Films', 'Primary sources', 'Further reading'], ['Disambiguation pages with short descriptions', 'Place name disambiguation pages', 'Short description is different from Wikidata', 'History', 'Geography', 'Adjacent counties', 'National protected area', 'Transportation', 'Major highways', 'Railroads', 'Public transportation', 'Airports', 'Biography', 'Early life and education', 'Career', 'Paintings', 'Midvinterblot', 'Gallery', 'Bibliography', 'See also', 'Modern art', 'Comic books', "Tweety's Looney Tunes and Merrie Melodies filmography", 'Supervision: Bob Clampett', 'Direction: Bob Clampett', 'Directed by Friz Freleng', 'Co-directed by Hawley Pratt', 'Directed by Gerry Chiniquy', 'Directed by Chuck Jones', 'Post-Golden Age of American animation', 'See also', 'References', 'Books cited', 'Additional reading'], ['Demographics', '2010 census', '2000 census', 'Religion', 'Notable people', 'References', 'Notes', 'Sources'], ['Body waves', 'Primary waves', 'Secondary waves', 'Surface waves', 'Rayleigh waves', 'Love waves', 'Stoneley waves', 'Normal modes', "P and S waves in Earth's mantle and core", 'Notation', 'Calendar', 'Notes', 'References', 'Gallery', 'Language', 'Places', 'Wine', 'References'], ['Airport', 'Demographics', 'Communities', 'City', 'Villages', 'Towns', 'Unincorporated communities', 'Ghost towns', 'Politics', 'See also', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'National protected areas', 'EPs', 'Live albums', 'Compilations', 'Non-album tracks', 'Appearances on other works', 'Video appearances', 'Solo releases by members of the Choir', 'References'], ['History', 'Relationship with Henry County', 'Geography', 'Demographics', 'Government', 'Education', 'Arts and culture', 'Attraction', 'Internment Camp', 'Hispanic Americans', 'Tejano politics', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Communities', 'City', 'Census-designated places', 'Fundamentals', 'Background', 'Principles', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Politics', 'Federal officers', 'State officers', 'Local officers', 'Communities', 'Unincorporated communities', 'Notable people', 'See also', 'References', 'Use within demography', 'Race', 'Gender', 'Social status / caste', 'Hiring / promotion', 'History', 'Geography', 'Adjacent counties', 'National protected area', 'State protected area', 'Demographics', 'Communities', 'Incorporated cities', 'Unincorporated communities', 'Ghost towns', 'See also', 'Notes', 'References', 'Further reading'], ['Background', 'Name', 'Genesis', 'Test', 'Plot', 'Cast', 'Reception', 'Critical response', 'Awards and honors', 'Remakes', 'References', 'Life and career', 'President of the IOC', 'Controversies', 'Honours and titles', 'Academic degrees', 'History', 'Geography', 'Adjacent counties', 'Post-war success', 'Forced mergers', 'Products', 'Fixed-wing aircraft', 'Rotorcraft', 'Others', 'Subsidiaries', 'See also', 'Notes', 'References', 'Raven Annoys Octopus', 'See also', 'Lakota legendary creatures', 'Lakota spirit beings', 'Legendary birds', 'North American mythology stubs', 'Properties', 'See also', 'References'], ['History', 'Structure', 'Executive Secretariat (Secretaries-General)', 'Summits', 'Ministerial Conference', 'Permanent Council', 'Parliamentary Assembly', 'Agency of the Francophonie', 'Members', 'Places', 'Australia', 'Canada', 'England', 'South Africa', 'Sri Lanka', 'United States', 'Transportation', 'Geography', 'Demography', 'History', 'Early history', 'Military expansion', 'North County', 'South County', 'Parks and recreation', 'Government', 'Crime and Public Safety', 'Politics', 'Education', 'Libraries', 'Colleges and Universities', 'Infrastructure', 'History', 'Geography', 'Adjacent counties', 'Major highways', 'History', 'Geography', 'Lakes===', 'Rivers and drainages===', 'Major highways', 'Adjacent counties', 'Civil townships', 'Census-designated places', 'Other unincorporated communities', 'See also', 'References'], []]



['Wikipedia: Goll', 'Wikipedia: Besançon', 'Wikipedia: Additive function', 'Wikipedia: Chesterfield (disambiguation)', 'Wikipedia: Folkestone', 'Wikipedia: Ferdinand II', 'Wikipedia: Karta', 'Wikipedia: Enigma Variations', 'Wikipedia: Karl Koch (hacker)', 'Wikipedia: Rock County, Wisconsin', 'Wikipedia: Fermat number', 'Wikipedia: Bartel Leendert van der Waerden', 'Wikipedia: Cumberland County, Tennessee', 'Wikipedia: Marion County, South Carolina', 'Wikipedia: Woodward County, Oklahoma', 'Wikipedia: John Nance Garner', 'Wikipedia: Love Is a Many-Splendored Thing (film)', 'Wikipedia: Ostia Antica', 'Wikipedia: Westland Helicopters', 'Wikipedia: Kassites', 'Wikipedia: Notting Hill']
[['Career', 'Music', 'Discography', 'As leader', 'As co-leader', 'As sideman', 'References', 'Further reading'], ['All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'History', 'Toponymy', 'Ancient history', 'Middle Ages', 'See also', 'Completely additive', 'See also', 'Places', 'Canada', 'Government & Politics', 'Demographics', '2000 census', '2010 census', 'Amish community', 'Communities', 'Cities', 'Towns', 'Census-designated places', 'Other localities', 'References', 'Additional sources'], ['Voice actors', 'References'], ['In Latvia', 'In Lithuania', 'In modern culture', 'References', 'History', 'Orchestration', 'Structure', 'Theme (Enigma: Andante)', 'Usefulness of P and S waves in locating an event', 'See also', 'References', 'Sources'], ['Attributes', 'Myths', 'In popular culture', 'See also', 'Notes', 'References'], ['History', 'Economy', 'Climate', 'Geography', 'Principal towns', 'Demographics', 'Place of birth of residents', 'Politics', 'References', 'Further reading'], ['Demographics', '2000 census', '2010 census', 'Politics', 'Communities', 'Towns', 'Magisterial Districts', 'Unincorporated communities', 'See also', 'References', 'Basic properties', 'Further properties', 'Primality of Fermat numbers', 'Heuristic arguments for density', 'Sports', 'Notable people', 'Media', 'Print', 'Television', 'Radio stations', 'Gallery', 'See also', 'References'], ['Unincorporated community', 'Politics', 'See also', 'References'], ['Development', 'Antiquity', 'Middle Ages', 'Genghis Khan and the Mongols', 'Early Modern era', 'Napoleonic', 'Waterloo', 'Clausewitz and Jomini', 'Industrial age', 'World War I', 'Demographics', 'Media', 'Communities', 'Cities', 'Town', 'Census-designated places', 'Unincorporated communities', 'Politics', 'See also', 'References', 'Further reading'], ['History', 'References', 'Geography', 'Adjacent counties', 'Communities', 'City', 'Boroughs', 'Townships', 'Census-designated places', 'Unincorporated communities', 'Population ranking', 'Politics and government', 'Delaware County Council===', 'County row officers', 'History', 'Geography', 'Adjacent counties', 'Demographics', 'Analysis', 'Films', 'See also', 'References'], [], ['Summary', 'Cast', 'References'], ['History', 'Demographics', '2000 census', '2010 census', 'Communities', 'Cities', 'Villages', 'Townships', 'Unincorporated communities', 'Ghost town', 'Government'], ['History', 'Origins', 'History', 'Late Bronze Age', 'Iron Age', 'Kassite dynasty of Babylon', 'Description', 'Accounts', 'In popular culture', 'See also', 'References'], ['Biography', 'Discography', 'Solo albums', 'Benefit / tribute album', 'Other recorded appearances', 'References'], ['Operating agencies', 'Association of Francophone Universities (AUF)', 'Assembly of Francophone Civil Servants of International Organisations (AFFOI)', 'TV5Monde, the French-speaking international television', 'International Association of French-speaking Mayors', 'Senghor University of Alexandria', 'Missions', 'French language, cultural and linguistic diversity', 'Peace, democracy and human rights', 'Supporting education, training, higher education and research', 'Medicine and health', 'Other uses', 'See also', 'Economic development', 'Employment', 'Retail', 'Urban development', 'Population', 'Infrastructure', 'Education', 'Leisure', 'Local government', 'Post-war history', 'Transportation', 'Major freeways and highways', 'Health care', 'Communities', 'Cities', 'Villages', 'Census-designated places', 'Unincorporated communities', 'See also', 'References', 'National protected areas', 'Climate', 'Demographics', 'Education', 'Public schools', 'Private schools', 'Post-secondary', 'Public libraries', 'Politics', 'Local', 'Protected areas===', 'Demographics', '2000 census', 'Communities', 'Cities', 'Unincorporated communities', 'Townships', 'Government and Politics', 'See also', 'References', 'Geography', 'Major highways', 'Airport', 'Adjacent counties', 'National protected areas', 'Demographics', 'Government']]



['Wikipedia: Triple J Hottest 100', 'Wikipedia: Cumhall', 'Wikipedia: Henry Stafford, 2nd Duke of Buckingham', 'Wikipedia: Danbury (disambiguation)', 'Wikipedia: Neil Young', 'Wikipedia: Sundsvall Municipality', 'Wikipedia: Latvian mythology', 'Wikipedia: Mictēcacihuātl', 'Wikipedia: Deux-Sèvres', 'Wikipedia: Hancock County, West Virginia', 'Wikipedia: Manassas Park, Virginia', 'Wikipedia: Brooks County, Texas', 'Wikipedia: Hamilton County, Ohio', 'Wikipedia: Annual Meetings of the International Monetary Fund and the World Bank Group', 'Wikipedia: Wyandot religion', 'Wikipedia: Asiaq', 'Wikipedia: Generation', 'Wikipedia: Wright County, Minnesota']
[['History', '1988–1991: The Hot 100', '1992–1995: The Hottest 100', 'Short description is different from Wikidata', 'Genealogy', 'Battle and death', 'Renaissance', 'Modern Europe', 'Geography', 'Location', 'Topography', 'Climate', 'Neighborhoods', 'Population', 'Government and politics', 'Economy', 'Examples', 'Multiplicative functions', 'Summatory functions', 'See also', 'References', 'Further reading', 'United States', 'Elsewhere', 'Other uses', 'See also', 'See also', 'References'], ['History', 'Folkestone Harbour', 'Toponymy', 'Governance', 'Geography', 'Climate', 'Industry', 'Main sights', 'Transport', 'Rail', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages with short descriptions', 'Human name disambiguation pages', 'Short description is different from Wikidata', 'Places', 'Other uses', 'See also', 'Variation I (L\'istesso tempo) "C.A.E."', 'Variation II (Allegro) "H.D.S-P."', 'Variation III (Allegretto) "R.B.T."', 'Variation IV (Allegro di molto) "W.M.B."', 'Variation V (Moderato) "R.P.A."', 'Variation VI (Andantino) "Ysobel"', 'Variation VII (Presto) "Troyte"', 'Variation VIII (Allegretto) "W.N."', 'Variation IX (Adagio) "Nimrod"', 'Variation X (Intermezzo: Allegretto) "Dorabella"', 'Biography', 'Hacking', 'Death', 'Karl Koch in media', 'Books', 'Movies', 'Music', 'See also', 'Notes', 'See also', 'References', 'Current National Assembly Representatives', 'Tourism', 'See also', 'Bibliography', 'References'], ['History', 'Geography', 'Transportation', 'Major highways', 'Airport', 'Adjacent counties', 'Demographics', 'Communities', 'Cities', 'Villages'], ['History', 'Geography', 'Equivalent conditions of primality', 'Factorization of Fermat numbers', 'Pseudoprimes and Fermat numbers', 'Other theorems about Fermat numbers', 'Relationship to constructible polygons', 'Applications of Fermat numbers', 'Pseudorandom Number Generation', 'Other interesting facts', 'Generalized Fermat numbers', 'Generalized Fermat primes', 'History', 'Education', 'Transportation', 'Biography', 'Education and early career', 'Nazi Germany', 'Postwar career', 'Contributions', 'See also', 'Notes', 'References', 'Inter war', 'World War II', 'German', 'Pre-war', 'War strategy', 'British', 'European Allies', 'Soviet', 'Japanese', 'American'], ['Geography', 'Major highways', 'Geography', 'Adjacent counties', 'National protected area', 'State protected areas', 'Demographics', 'Education', 'Communities', 'Cities', 'Town', 'Census-designated places', 'National protected area', 'Major highways', 'Demographics', '2000 census', '2010 census', 'Communities', 'Cities', 'Towns', 'Unincorporated communities', 'Politics', 'United States Senate', 'United States House of Representatives', 'State Senate', 'State House of Representatives', 'Corrections', 'Education', 'Public school districts', 'Charter schools', 'Private schools', 'Colleges and universities', 'Politics', 'Economy', 'Communities', 'City', 'Towns', 'Unincorporated communities', 'NRHP sites', 'References', 'Biography', 'Early life and family', 'Texas politics', 'Vice presidency', 'Final years and legacy', 'Footnotes', 'Further reading'], ['Production', 'Locations', 'Reception', 'Awards and nominations', 'Soundtrack', 'See also', 'References', 'Bibliography'], ['Origins', 'Civil wars', 'Sacking by pirates', 'Imperial Ostia', 'Late-Roman and sub-Roman Ostia', 'Sacking and excavation', 'Modern day', 'Media', 'Gallery', 'Notes', 'Politics', 'See also', 'References'], ['1960s', '1970s', '1980s', '1990s', 'Products', 'Helicopters', 'Hovercraft', 'Rockets and missiles', 'Precision gears', 'See also', 'Culture', 'Social life', 'Language', 'Kudurru', 'Gallery', 'See also', 'References', 'Sources'], ['List of Annual Meetings', 'See also', 'References'], ['See also', 'Cooperation for sustainable development', 'Criticism of the Organisation', 'Proliferation of member states and missions', 'Disregard for human rights and fundamental freedoms', 'See also', 'Notes', 'References', 'Bibliography'], ['History', 'Origin of the name', 'Potteries and Piggeries', '19th-century development', 'Early to mid-20th century', 'Late 20th-century gentrification', 'Geography', 'Areas of Notting Hill', 'Ladbroke Grove', 'Notting Hill Gate', 'Decline', 'Regeneration', 'Heritage', 'Royal Arsenal', 'Woolwich Dockyard and Riverside', 'Other military buildings', 'Woolwich Centre', 'Nature', 'Sports and leisure', 'Education and culture'], ['Etymology', 'Familial generation', 'State', 'Federal', 'Political culture', 'Missouri presidential preference primary (2008)', 'Communities', 'Cities', 'Villages', 'Unincorporated communities', 'Townships over time', 'See also'], ['History', 'Geography', 'Communities', 'City', 'Civil townships', 'Unincorporated communities', 'Indian reservation', 'Historic places', 'See also', 'References'], []]



['Wikipedia: Muirne', 'Wikipedia: Carolingian dynasty', 'Wikipedia: Janis Ian', 'Wikipedia: Xōchipilli', 'Wikipedia: Randy Stonehill', 'Wikipedia: Manassas, Virginia', 'Wikipedia: Zapata County, Texas', 'Wikipedia: Crockett County, Tennessee', 'Wikipedia: Lexington County, South Carolina', 'Wikipedia: Woods County, Oklahoma', 'Wikipedia: Francisco de Orellana', 'Wikipedia: Camazotz', 'Wikipedia: Tostig Godwinson', 'Wikipedia: Union County, North Carolina', 'Wikipedia: DASA', 'Wikipedia: Apanuugak', 'Wikipedia: Glass Harp (band)', 'Wikipedia: Bessus', 'Wikipedia: Caldwell County, Missouri', 'Wikipedia: Sanilac County, Michigan']
[['1996–2016: Rise in Australian music', '2017–present: Announcement of date change', 'Hottest 100 top tens and summaries', 'Notable artists', 'Controversy', 'Moving the Date', 'Lack of female artist representation', '#Tay4Hottest100', 'See also', 'References', 'Parallels', 'Explanatory notes', 'References', 'Education', 'Landmarks', 'Gallo-Roman remains', 'Fortifications and military buildings', 'Places of worship', 'Government and residentials buildings', 'Parks and gardens', 'Culture', 'Museums and galleries', 'Performing arts centers', 'Life', 'The Princes in the Tower', 'In fiction', 'References'], ['Places', 'Other uses', 'See also', 'Early life (1945–1963)', 'Career', 'Early career (1963–1966)', 'Buffalo Springfield (1966–1968)', 'Going solo, Crazy Horse (1968–1969)', 'Crosby, Stills, Nash, and Young (1969–1970)', 'After the Gold Rush, acoustic tour and Harvest (1970–1972)', 'The "Ditch" Trilogy and personal struggles (1972–1974)', 'Reunions, retrospectives and Rust Never Sleeps (1974–1979)', 'Experimental years (1980–1988)', 'Roads', 'Education', 'Leisure', 'Culture', 'Local media', 'Newspapers', 'Magazine', 'Radio', 'Sport', 'People', 'Localities', 'Islands', 'International relations', 'Twin towns — Sister cities', 'References'], ['History', '13th–18th century', '18th–early 20th century', '1944–1970s', '1970s–present', 'Beings and concepts', 'Celestial deities', 'Variation XI (Allegro di molto) "G.R.S."', 'Variation XII (Andante) "B.G.N."', 'Variation XIII (Romanza: Moderato) " * * * "', 'Variation XIV (Finale: Allegro) "E.D.U."', 'Arrangements', 'The Enigma', 'Counterpoints', 'Other musical themes', 'Non-musical themes', 'Subsequent history', 'References'], ['Early life', 'Xochipilli statue', 'Entheogen connection', 'See also', 'References'], ['In history and literature', 'Geography and economics', 'Demographics', 'Politics', 'Current National Assembly Representatives', 'Transport', 'Sights', 'Towns', 'Census-designated place', 'Unincorporated communities', 'Ghost towns/neighborhoods', 'Politics', 'Tree cities', 'See also', 'References', 'Further reading'], ['Major highways', 'Adjacent counties', 'Demographics', '2000 census', '2010 census', 'Government', 'Politics', 'Communities', 'Cities', 'Magisterial districts', 'Largest known generalized Fermat primes', 'See also', 'Notes', 'References'], ['Notable people', 'Geography', 'Adjacent county / Independent city', 'Demographics', 'References'], ['Further reading'], ['Geography', 'Australian', "Communist China's strategy", 'Cold War', 'Post Cold War', 'Netwar', 'See also', 'References', 'Notes', 'Bibliography', 'Further reading', 'Adjacent counties', 'Demographics', 'Politics', 'Communities', 'City', 'Census-designated places', 'Unincorporated community', 'See also', 'References'], ['Unincorporated communities', 'Politics', 'See also', 'References'], ['Historic places', 'References'], ['Adult education', 'Libraries', 'Transportation', 'Major roads and highways', 'Recreation', 'Parks', 'Racing', 'Sports', 'Media', 'Climate', 'History', 'Geography', 'Major Highways', 'Adjacent counties', 'Demographics', 'Background', 'First exploration of the Amazon River', 'Second expedition and death', 'Etymology', 'Mythology', 'See also', 'References', 'References'], ['Background', 'History', 'Geography', 'Geographic features', 'Major highways', 'Demographics', '2000 census', '2010 census', 'Population', 'Government', 'References'], ['History', 'History', 'Major projects', 'Aircraft', 'Partnerships', 'All articles lacking sources', 'All stub articles', 'Articles lacking sources from December 2009', 'Articles with short description', 'Inuit mythology', 'References', 'Background', 'Capture and execution', 'References'], ['Portobello Road', 'Westbourne Grove', 'Westbourne Green', 'North Kensington', 'Carnival', 'Cultural references', 'Notable residents', 'Transport', 'Crossrail Station', 'See also', 'Transport', 'National Rail', 'Docklands Light Railway', 'Crossrail', 'Buses', 'Woolwich Ferry', 'London River Services', 'Notable people', 'See also', 'References', 'Social generation', 'Generational theory', 'Generational tension', 'List of named generations', 'Western world', 'Other areas', 'Other terminology', 'See also', 'References', 'Further reading', 'References', 'Further reading'], ['Major highways', 'Adjacent counties', 'Demographics', '2010', '2000', 'Government and Politics', 'Communities', 'Cities', 'Townships', 'Census-designated place', 'History', 'Geography', 'Adjacent counties', 'Major highways']]



['Wikipedia: Prepared piano', 'Wikipedia: Bodhmall', 'Wikipedia: Generally Accepted Accounting Practice (UK)', 'Wikipedia: Geirröðr', 'Wikipedia: Wilhelm Furtwängler', 'Wikipedia: John Varley (author)', 'Wikipedia: Haute-Vienne', 'Wikipedia: Richland County, Wisconsin', 'Wikipedia: Hampshire County, West Virginia', 'Wikipedia: Lipscomb County, Texas', 'Wikipedia: Briscoe County, Texas', 'Wikipedia: Dauphin County, Pennsylvania', 'Wikipedia: Washita County, Oklahoma', 'Wikipedia: Omar Khayyam', 'Wikipedia: 659 BC', 'Wikipedia: Blackfoot religion', 'Wikipedia: Cowley, London', 'Wikipedia: Ockendon', 'Wikipedia: Prairie County, Montana', 'Wikipedia: St. Francois County, Missouri', 'Wikipedia: Brolga']
[[], ['Technique', 'Historical precedents', 'See also', 'References', 'References', 'Cinema', 'Annual cultural events and fairs', 'Sports', 'Sports venues', 'Professional teams and sportspeople', 'Sport events', 'Transport', 'Road', 'Rail', 'Tram', 'History', 'Process for setting standards', 'Legislation', 'New UK GAAP', 'See also', 'Name', 'History', 'Origins', 'Pippin I & Arnulf of Metz (613–645)', 'Pippin I (624–640)', 'Grimoald (640–656)', 'Grimoald and Childebert (656–657)', 'Pippin II (676–714)', 'Rise to power', 'Return to prominence (1989–1999)', 'Continued activism and brush with death (2000s)', 'Recent years (2010s and beyond)', 'Archives project', 'Personal life', 'Business ventures', 'Instruments', 'Guitars', 'Harmonicas', 'Reed organ', 'Twin towns', 'References', 'Sources'], ['Biography', 'Third Reich controversy', 'First confrontations with the Nazis', 'Mannheim Concert', '"The Hindemith Case"', 'Afterlife', 'Demons', 'Fate goddesses', 'Fertility gods', 'Other practices', 'See also', 'References'], ['Recordings', 'Notes', 'References', 'Bibliography', 'Further reading'], ['Variation IX', 'Music career', 'Criticism of the RIAA', 'Writing and acting', 'Personal life', 'Discography', 'Albums', 'Compilation albums', 'Singles', 'Bibliography', 'References', 'Biography', 'Bibliography', 'Novelshttps://varley.net/novels/', 'Births', 'See also', 'References'], ['Geography', 'Major highways', 'Airport', 'Census-designated place', 'Unincorporated communities', 'Population ranking', 'See also', 'References'], ['Early life', 'Career', 'Marriages and family', 'Discography', 'Compilations and productions', 'Videography', 'Works', 'References', 'History', 'Geography', 'Climate', 'Neighborhoods', 'Georgetown South', 'Downtown', 'Old Town Triangle', 'Major highways', 'Adjacent counties and municipalities', 'National protected area', 'Demographics', 'Government and politics', 'Education', 'Communities', 'Census-designated places', 'Gallery', 'See also'], ['Geography', 'Major highways', 'Geography', 'Tule Canyon', 'Major highways', 'History', 'Geography', 'Adjacent counties', 'State protected areas', 'Demographics', 'Media', 'Radio', 'Newspaper', 'Geography', 'Adjacent counties', 'Climate', 'Demographics', '2000 census', '2010 census', 'Communities', 'Education', 'Transportation', 'Public Transportation', 'See also', 'Notes', 'References', 'Further reading'], ['Politics', 'Communities', 'See also', 'References', "Significance of Orellana's first Amazon River voyage", 'Places named after Orellana', 'Historical chronicles', 'In popular culture', 'References', 'Further reading'], ['Bibliography', 'Life', 'Mathematics', 'Earl of Northumbria', 'Deposition by his brother Harold and the thegns of Northumbria', 'Exile and rebellion', 'Battle of Stamford Bridge', 'Aftermath', 'Portrayal in books and films', 'In non-fiction books', 'In fiction', 'See also', 'Notes', 'Politics', 'Education', 'Colleges and universities', 'Transportation', 'Railroads', 'Recreation', 'Communities', 'Cities', 'Villages', 'Townships', 'Geography', 'Adjacent counties', 'Major highways', 'Demographics', 'Communities', 'City', 'Towns', 'Villages', 'Census-designated place', 'Unincorporated communities', 'References', 'Citiations', 'Bibliography'], ['North American mythology stubs', 'Short description matches Wikidata', 'Cosmology', 'Early years', '1970-1973', '1981-1997', '2000-2009', '2010-present', 'Discography', 'Videography', 'References', 'Reviews', 'History', 'Medieval Period', 'Post Reformation and Boundaries', 'References'], ['See also', 'Further reading'], ['Geography'], ['History', 'Geography', 'History', 'Mormon settlement', 'Mormon War', 'Geography', 'Adjacent counties', 'Major highways', 'Demographics', 'Education', 'Public Schools', 'Public libraries', 'Other unincorporated communities', 'Ghost town', 'Largest Cities in Wright County', 'See also', 'References'], ['Demographics', 'Religion', 'Government', 'Elected officials', 'Media', 'Communities', 'Cities', 'Villages', 'Census-designated place', 'Other unincorporated communities']]



['Wikipedia: Liath Luachra', 'Wikipedia: List of comedy television series', 'Wikipedia: Henry Wilson', 'Wikipedia: Allegory of the cave', 'Wikipedia: École des ponts ParisTech', 'Wikipedia: Lost Dogs', 'Wikipedia: Tonio K', 'Wikipedia: Young County, Texas', 'Wikipedia: Henry A. Wallace', 'Wikipedia: Forum', 'Wikipedia: Guernsey County, Ohio', 'Wikipedia: Pineville, North Carolina', 'Wikipedia: Structure', 'Wikipedia: Hugh J. Schonfield', 'Wikipedia: Ville Ritola', 'Wikipedia: Saginaw County, Michigan']
[['Delage', 'Cowell', 'Villa-Lobos', 'John Cage', 'Other composers, arrangers, performers, and compositions', 'Related techniques', 'Tack piano', 'Acoustisizer', 'See also', 'References', 'References', 'Bus', 'Notable people', 'Literary references', 'Twin towns – sister cities', 'See also', 'References', 'Bibliography'], ['References', 'Australia', 'Belgium', 'Consolidation of power', 'Later years', 'Death', 'Charles Martel (714–741)', 'Ending the Civil War', 'East of the Rhine', 'Aquitaine, Burgundy and Provence', 'Ruling Francia', 'Vassalage and Church', 'Interregnum, Death & Divisions', 'Crystallophone', 'Amplification', 'Discography', 'Legacy and awards', 'Grammy Awards', 'Juno Awards', 'MTV Video Music Awards', 'See also', 'Notes', 'References', 'Name', 'Attestations', 'Prose Edda', 'Viking Age', 'Other texts', 'Theories', 'References', 'Bibliography', 'Further reading', 'The compromise of 1935', 'The New York Philharmonic Orchestra', '1936–37', 'Herbert von Karajan', 'The Kristallnacht and the Anschluss', 'World War II', 'Post World War II', 'Taking Sides', 'Career', 'Conducting style', 'Early life and education', 'Career', 'Political career', 'Offices', 'U.S. Senator (1855–1873)', 'Summary', 'Imprisonment in the cave', 'Departure from the cave', 'Return to the cave', 'Symbolism', "Themes in the allegory appearing elsewhere in Plato's work"], ['History', '1747–1794: Origins', 'Short story collections', 'Other', "Critical studies and reviews of Varley's work", 'Awards', 'References'], ['Geography', 'History', 'Economy', 'Demographics', 'Politics', 'Current National Assembly Representatives', 'Tourism', 'Notable people', 'See also', 'Adjacent counties', 'Demographics', 'Communities', 'City', 'Villages', 'Towns', 'Census-designated places', 'Unincorporated communities', 'Ghost towns/neighborhoods', 'Politics', 'Name', 'History', 'Earliest European settlers', '18th century Hampshire County', 'Early churches', 'Early industry', '19th century Hampshire County', 'Further reading', 'Recording and performing artist', 'Songwriter', 'Adjacent & Nearby Areas', 'Demographics', 'Politics', 'Crime', 'Economy', 'Transportation', 'Major highways', 'Airports', 'Rail transportation', 'Education', 'References'], ['History', 'Adjacent counties', 'Demographics', 'Communities', 'City', 'Towns', 'Census-designated place', 'Politics', 'See also', 'References'], ['Adjacent counties', 'Demographics', 'Education', 'Communities', 'Cities', 'Politics', 'See also', 'References'], ['Communities', 'Cities', 'Towns', 'Unincorporated communities', 'Points of interest', 'Politics', 'See also', 'References'], ['Columbia Metropolitan Airport', 'Interstates', 'Tourism and Attractions', 'Top Employers', 'Referendums and elections', 'Politics', 'See also', 'Notes', 'References'], ['Geography', 'Adjacent counties', 'Major roads and highways', 'Demographics', 'Amish community', 'Metropolitan Statistical Area', 'Politics and government', 'County commissioners', 'History', 'Geography', 'Adjacent counties', 'Demographics', 'Politics', 'Communities', 'See also', 'References', 'Early life and education', 'Journalist and farmer', 'Early political involvement', 'Secretary of Agriculture', 'Vice President', 'Election of 1940', 'Theory of parallels', 'The real number concept', 'Geometric algebra', 'The solution of cubic equations', 'Binomial theorem and extraction of roots', 'Astronomy', 'Other works', 'Poetry', 'Philosophy', 'Religious views', 'References', 'Other sources'], ['Census-designated places', 'Unincorporated communities', 'Neighborhoods of Cincinnati', 'See also', 'References'], ['Ghost towns', 'Townships', 'Politics, law and government', 'Education', 'Events', 'See also', 'References'], ['Events', 'References', 'Other deities and spirits', 'The Buffalo Dance', 'References', 'Bibliography'], [], ['Religious and political beliefs', 'Humanism', 'Post Industrial Revolution', 'Geography', 'Little Britain Lake', 'Landmarks', 'Church', 'Brunel University', 'Transport', 'Nearest tube station', 'Nearest railway stations', 'Notable people', 'Childhood and emigration to the United States', 'Paris Olympics 1924', 'Back to USA', 'Major highways', 'Adjacent counties', 'Demographics', '2000 census', '2010 census', 'Politics', 'Communities', 'Town', 'Census-designated place', 'Other communities', 'Adjacent counties', 'Major highways', 'National protected area', 'Demographics', 'Religion', 'Politics', 'Local', 'State', 'Federal', 'Political culture', 'Politics', 'Local', 'State', 'Federal', 'Missouri presidential preference primaries', '2016', '2012', '2008', 'Communities', 'Cities', 'Taxonomy', 'Description', 'Distribution and habitat', 'Ecology and behaviour', 'Diet', 'Mating and breeding', 'Conservation status', 'Townships', 'See also', 'References', 'Further reading'], []]



['Wikipedia: New England Confederation', 'Wikipedia: Fionnuala', 'Wikipedia: René of Anjou', 'Wikipedia: New Castle County, Delaware', 'Wikipedia: Gjálp and Greip', 'Wikipedia: Vosges (department)', 'Wikipedia: Racine County, Wisconsin', 'Wikipedia: Kline', 'Wikipedia: Grade (climbing)', 'Wikipedia: Limestone County, Texas', 'Wikipedia: Brewster County, Texas', 'Wikipedia: Coffee County, Tennessee', 'Wikipedia: Lee County, South Carolina', 'Wikipedia: Washington County, Oklahoma', 'Wikipedia: Mister Roberts (novel)', 'Wikipedia: Tyrrell County, North Carolina', 'Wikipedia: The Alpha Band', 'Wikipedia: Cowley', 'Wikipedia: Wormwood Scrubs', 'Wikipedia: Winona County, Minnesota']
[['Further reading'], ['Listening', 'People', 'References', 'Biography', 'Arts', 'Marriages and issue', 'Cultural references', 'Arms', 'Bosnia and Herzegovina', 'Brazil', 'Canada', 'China', 'Croatia', 'Greece', 'India', 'Jamaica', 'Japan', 'New Zealand', 'Decline', 'Branches', 'Grand strategy', 'See also', 'References', 'Citations', 'Sources'], ['Sources'], ['History', 'Names', 'Attestations', 'Prose Edda', 'Influence', 'Notable recordings', 'Notable premieres', 'Notable compositions', 'For orchestra', 'Chamber music', 'Choral', 'Bibliography', 'Notes', 'References', 'Civil War', 'Greenhow controversy', 'Equal rights activism', 'Creation of the National Academy of Sciences', 'Reconstruction and Civil Rights', 'Vice Presidential campaign, 1868', 'Vice Presidential campaign, 1872', 'Crédit Mobilier scandal', 'Vice President', 'Illness and death', 'Scholarly discussion', 'Influence', 'See also', 'References', 'Bibliography', 'Further reading'], ['1794–1848: Growth and industrialisation', '1848–1945: The big works', '1945–1997: Modernisation', 'Academics', 'The Ingénieur programme', 'Curriculum', 'Admissions', "Master's degrees", "Advanced master's programmes", 'PhDs', 'Discography', 'Live albums', 'Instrumental albums', 'Holiday albums', 'Compilations and special releases', 'Videography', 'Further reading', 'References'], ['History', 'See also', 'References', 'Further reading'], ['Geography', 'Major highways', 'Adjacent counties', 'Rivers and streams', 'Mountains', 'Other geological formations', 'Demographics', '2000 census', '2010 census', 'Politics', 'Discography', 'As band member', 'Compilation appearances', 'References'], ['Public education', 'Private education', 'Notable people', 'See also', 'References', 'Native Americans', 'Explorers and settlers', 'County established', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Politics', 'Communities', 'Cities', 'History', 'Native Americans', 'Fort Parker Massacre', 'History', 'Native Americans', 'Early explorations', 'County established and growth', 'History', 'Century Farms', 'Geography', 'Adjacent counties', 'Geography', 'Adjacent counties', 'Major highways', 'Other county offices', 'State Representatives===', 'State Senate===', 'United States House of Representatives===', 'United States Senate===', 'Education', 'Colleges and universities', 'Public school districts', 'Public charter schools', 'Intermediate unit', 'History', 'Geography', 'Adjacent counties', 'Demographics', 'Tenure', 'Election of 1944', 'Secretary of Commerce', '1948 presidential election', 'Later career and death', 'Family', 'Religious explorations and Roerich controversy', 'Legacy', 'Publications', 'See also', 'Reception', 'See also', 'Citations', 'References'], ['Common uses', 'Places', 'Natural features', 'Populated places', 'Arts and entertainment', 'Media', 'Periodicals', 'Radio', 'Businesses and organizations', 'Events', 'History', 'Geography', 'Demographics', '2000 census', '2010 census', 'Politics', 'Communities', 'History', 'Geography', 'Adjacent counties', 'National protected area', 'Major highways', 'History', 'Geography', 'Demographics', 'Healthcare', 'Notable people', 'References'], ['Load-bearing', 'Biological', 'Chemical', 'Mathematical', 'Musical', 'Social', 'Data', 'Software', 'Hebrew Christian and Messianic Judaism', 'Works', 'Selected bibliography', 'References'], [], ['Notes and references', 'Places', 'Amsterdam Olympics 1928', 'After sports career', 'Honours', 'Curiosities', 'See also', 'References'], ['See also', 'References'], ['Missouri presidential preference primary (2008)', 'Education', 'Public schools', 'Private schools', 'Vocational-technical and other schools', 'Colleges and universities', 'Public libraries', 'Communities', 'Cities', 'Census-designated places', 'Ghost town', 'Townships', 'Notable natives', 'See also', 'References', 'Sources'], ['References', 'Cited text'], ['History', 'Geography', 'Primary rivers', 'Wildlife refuge', 'Adjacent counties', 'Demographics', 'Religion', 'Government and politics']]



['Wikipedia: Binoculars', 'Wikipedia: Aífe', 'Wikipedia: Strasburg', 'Wikipedia: Interstate 75', 'Wikipedia: Topspinner', 'Wikipedia: Viking 2', 'Wikipedia: The 77s', 'Wikipedia: The Karate Kid', 'Wikipedia: Yoakum County, Texas', 'Wikipedia: Wagoner County, Oklahoma', 'Wikipedia: Naum', 'Wikipedia: Roman Forum', 'Wikipedia: World Boxing Council', 'Wikipedia: Robin Milner', 'Wikipedia: The Passover Plot', 'Wikipedia: Cranham', 'Wikipedia: Orpington', 'Wikipedia: St. Clair County, Missouri', 'Wikipedia: Butler County, Missouri']
[['Treaty', 'Signatories', 'See also', 'References', 'Sources'], ['Appearances', 'In popular culture', 'References'], ['Ancestry', 'See also', 'Notes', 'References', 'Sources', 'Further reading'], ['Singapore', 'South Korea', 'United Kingdom', '#', 'A', 'B', 'C', 'D', 'E', 'F', 'Places', 'People with the surname', 'See also', 'Geography', 'Adjacent counties', 'Major roads and highways', 'Demographics', '2000 census', '2010 census', 'Government', 'County government', 'County executive', 'County legislative', 'Viking Age', 'Gesta Danorum', 'Other texts', 'References', 'Bibliography', 'Further reading'], ['Mechanics', 'Finger spin', 'Historical reputation', 'Personal life', 'Bibliography', 'See also', 'References', 'Sources', 'Books', 'Newspapers', 'New York Times', 'Primary', 'Mission profile', 'Orbiter', 'Lander', 'Results from the Viking 2 mission', 'Landing site soil analysis', 'Search for life', 'École des Ponts Business School', 'd.School at École des Ponts', 'Corps of Bridges, Waters and Forests', 'Departments', 'Partnerships', 'Partnerships with French institutions', 'Partnerships with international institutions', 'One-way double-degree agreements', 'Research', 'Alumni and faculty', 'References'], ['History', "Hundred Years' War", 'French revolution', 'Franco-Prussian War', 'First and Second World Wars', 'Geography', 'Demographics', 'Culture', 'Politics', 'Current National Assembly Representatives', 'Miscellaneous topics', 'Adjacent counties', 'Demographics', 'Transportation', 'Major highways', 'Airports', 'Communities', 'Cities', 'Villages', 'Towns', 'Education', 'Public schools', 'Private schools', 'Parks and recreation', 'County parks', 'Wildlife management areas', 'National forests', 'Communities', 'City', 'Town', 'Places', 'Other', 'See also', 'History', 'Free climbing', 'Yosemite Decimal System', 'Technical difficulty', 'Length of route', 'Protection rating', 'British', 'Adjectival grade', 'Unincorporated communities', 'See also', 'References'], ['Settlers', 'County established', 'Civil War and Reconstruction', 'Post Civil War development', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Communities', 'Cities', 'Population boom', 'Pancho Villa and banditos', 'Big Bend', 'Terlingua Chili Cookoffs', 'Geography', 'Adjacent counties and municipalities', 'National protected areas', 'Major highways', 'Climate', 'Demographics', 'Major highways', 'State protected areas', 'Demographics', 'Events', 'Points of interest', 'Communities', 'Cities', 'Census-designated places', 'Unincorporated communities', 'Politics', 'Demographics', '2000 census', '2010 census', 'Communities', 'City', 'Town', 'Unincorporated communities', 'Politics', 'See also'], ['Library system', 'Private schools', 'Economy', 'Recreation', 'Communities', 'City', 'Boroughs', 'Townships', 'Census-designated places', 'Unincorporated communities', 'Politics', 'Communities', 'NRHP sites', 'References'], ['Notes', 'References', 'Bibliography', 'Further reading', 'Secondary sources', 'Works by Wallace'], ['Plot', 'Background', 'References', 'Facilities', 'Shopping centres', 'Sports and entertainment venues', 'Other buildings', 'See also', 'City', 'Villages', 'Townships', 'Census-designated places', 'Other unincorporated communities', 'See also', 'References', 'Further reading'], ['Demographics', 'Law and government', 'Politics', 'Economy', 'Communities', 'Town', 'Unincorporated communities', 'Townships', 'See also', 'References', 'History', 'Championship', 'Silver Championship', 'Diamond Championship', 'Eternal Championship', 'Controversies', 'Logical', 'See also', 'References', 'Further reading'], ['Discography', 'Albums', 'References', 'People', 'See also', 'History', 'History', 'Government', 'Demographics', 'By-election of 1962', 'Retail and commerce', 'Sport and leisure', 'History', 'Finances', 'Local Nature Reserve', 'Conservation efforts', 'Points to note', 'Notes'], ['Other unincorporated communities', 'Former community', 'See also', 'References'], ['Geography', 'Adjacent counties', 'Major highways', 'National protected area', 'Demographics', 'Religion', 'History', 'Geography', 'Major highways', 'Public airports', 'Adjacent counties', 'Protected areas===', 'Lakes===', 'Demographics', '2018 estimate', '2000 census', 'Elected officials', 'Parks and Recreation Commission', 'Economy', 'Transportation', 'Airports', 'Highways', 'Maritime', 'Education', 'Primary and secondary education', 'Public schools']]



['Wikipedia: Spiniensis', 'Wikipedia: Connla', 'Wikipedia: Fred MacMurray', 'Wikipedia: Niles', 'Wikipedia: Bristol Temple Meads railway station', 'Wikipedia: Mate', 'Wikipedia: Wallaby', 'Wikipedia: Latin Quarter, Paris', 'Wikipedia: Michael Roe', 'Wikipedia: Yonne', 'Wikipedia: Cocke County, Tennessee', 'Wikipedia: Hugh Paddick', 'Wikipedia: Crawford County, Pennsylvania', 'Wikipedia: Alben W. Barkley', 'Wikipedia: Popol Vuh', 'Wikipedia: Greene County, Ohio', 'Wikipedia: Transylvania County, North Carolina', 'Wikipedia: Yeading']
[[], ['References', 'Optical designs', 'Galilean binoculars', 'Binoculars with Keplerian optics', 'Binoculars with erecting lenses', 'Prism binoculars', 'Porro prism binoculars', 'Roof-prisms binoculars', 'Story', 'Versions and Date', 'In Literature', 'Notes', 'References', 'Early life', 'Career', 'Personal life', 'Illness and death', 'Awards and influence', 'Archive', 'G', 'H', 'I', 'J', 'K', 'L', 'M', 'N', 'O', 'P', 'Places in the United States', 'People and fictional characters', 'Other uses', 'See also', 'County judiciary', 'County row offices', 'County zoning and public works', 'County public safety', 'Federal government', 'State government', 'Communities', 'Cities', 'Towns', 'Villages', 'Route description', 'Florida', 'Georgia', 'Tennessee', 'Kentucky', 'Ohio', 'Michigan', 'Wrist spin', 'References', 'History'], ['Science', 'Person or title', 'Viking 2 lander image gallery', 'Orbiter results', 'Viking program', 'See also', 'References'], ['Notes and references'], ['See also', 'Discography', 'Promotional singles', '7&7iS', '7&7iS Discography', 'References'], ['Séré de Rivières forts', 'Tourism', 'See also', 'References'], ['Census-designated places', 'Unincorporated communities', 'Ghost towns/neighborhoods', 'Government', 'Politics', 'See also', 'References', 'Further reading'], ['Magisterial districts', 'Census-designated places', 'Unincorporated communities', 'Notable people', 'See also', 'Footnotes', 'References', 'Bibliography'], ['Plot', 'Main cast', 'Production', 'Development', 'Casting', 'Filming', 'Soundtrack', 'Reception', 'Technical grade', 'UIAA', 'Cracow Scale (Skala Kurtyki)', 'Scandinavian', 'Saxon grades', 'French numerical grades', 'Brazilian', 'Ewbank', 'Machine Learning', 'Mountaineering', 'History', 'Native Americans', 'County established', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Communities', 'Towns', 'Towns', 'Unincorporated communities', 'Ghost town', 'Notable residents', 'Politics', 'See also', 'References'], ['2015 Texas population estimate program', '2010 census', '2000 census', 'Education', 'Communities', 'City', 'Census-designated places', 'Unincorporated communities', 'Ghost Towns', "County Sheriff's Office", 'See also', 'References'], ['References', 'Biography', 'Films', 'Population ranking', 'Notable people', 'See also', 'Notes', 'References'], ['History', 'Geography', 'Adjacent counties', 'Demographics', 'Politics', 'Communities', 'Cities', 'Towns', 'Early life', 'Early political career', 'U.S. Representative (1913–1927)', 'Domestic matters', 'World War I', 'Relations with Harding administration', 'Gods', 'People', 'Other', 'See also', 'Description', 'History', 'Roman Kingdom', 'Roman Republic', 'Roman Empire', 'Medieval', 'Renaissance', 'Excavation and preservation', 'Geography', 'Adjacent counties', 'National protected area', 'Major highways'], ['History', 'Geography', 'Don King', 'Current WBC world title holders', 'Male', 'World champions', 'Female', 'Affiliated organizations', 'Transitions of WBC titles', 'See also', 'References'], ['Life, education and career', 'Contributions', 'Honors and awards', 'Selected publications', 'References', 'Further reading'], ["Schonfield's conclusions", 'Planning', 'Second half of the book', 'Film based on book', 'See also', 'References', 'Toponomy', 'Economic development', 'Local government', 'Urban development', 'Governance', 'Geography', 'Demography', 'Economy', 'Transport', 'Culture', 'Education', 'Transport', 'Landmarks', 'The Parish Church', 'The Priory', 'Priory Gardens', 'Orpington Hospital', 'Orpington War Memorial', 'Canadian Corner', 'Orpington chicken and duck', 'Etymology', 'History', 'Education', 'Demographics', 'Transport and locale', 'Buses', 'Geography', 'Adjacent counties', 'Major highways', 'Demographics', 'Education', 'Public schools', 'Public libraries', 'Politics', 'Education', 'Public Schools', 'Private schools', 'Special education/other schools', 'Post-secondary', 'Public libraries', 'Politics', 'Local', 'State', 'Federal', 'Micropolitan Statistical Area', 'Politics', 'Communities', 'Cities', 'Census-designated place', 'Unincorporated communities', 'Ghost towns', 'Townships', 'See also', 'References', 'Higher education', 'Notable natives', 'Historical markers', 'Communities', 'Cities', 'Villages', 'Charter townships', 'Civil townships', 'Census-designated places', 'Other unincorporated communities']]



['Wikipedia: Stata Mater', 'Wikipedia: Gáe Bulg', 'Wikipedia: Askafroa', 'Wikipedia: Secret Wars', 'Wikipedia: Gerðr', 'Wikipedia: 5th arrondissement of Paris', 'Wikipedia: Price County, Wisconsin', 'Wikipedia: Greenbrier County, West Virginia', 'Wikipedia: Wood County, Texas', 'Wikipedia: Liberty County, Texas', 'Wikipedia: Brazos County, Texas', 'Wikipedia: Laurens County, South Carolina', 'Wikipedia: Tulsa County, Oklahoma', 'Wikipedia: Romana (Doctor Who)', 'Wikipedia: Valencia County, New Mexico', 'Wikipedia: Edgar F. Codd', 'Wikipedia: World Boxing Organization', 'Wikipedia: Royal Borough of Greenwich', 'Wikipedia: Wilkin County, Minnesota', 'Wikipedia: Roscommon County, Michigan']
[['In the neighborhoods', 'See also', 'References'], ['Optical parameters', 'Magnification', 'Objective diameter', 'Field of view', 'Exit pupil', 'Eye relief', 'Close focus distance', 'Eyepieces', 'Mechanical design', 'Focus and adjustment', 'Etymology', 'See also', 'References', 'Filmography', 'Theater', 'Short subjects', 'Radio', 'Television', 'See also', 'References'], ['Q', 'R', 'S', 'T', 'U', 'V', 'W', 'Y', 'United States', 'Z', 'References', 'Bibliography', 'Census-designated places', 'Unincorporated communities', 'See also', 'References'], ['History', 'Junction list', 'Auxiliary routes', 'References'], ["Brunel's station", 'Bristol and Exeter Railway station', 'Goods stations', 'Effects of the change of gauge', '1870s expansion', 'Twentieth-century changes', 'Closure of lines', 'Enterprise zone and station redevelopment', 'Description', 'Approaches', 'People', 'Given names', 'Surname', 'Beverages', 'Technology', 'Other uses', 'See also', 'Etymology and terminology', 'General description', 'Diet', 'Threats', 'Classification', 'Natural range and habitat', 'Introduced populations', 'References', 'Further reading'], ['Career', 'Discography', 'References'], ['History', 'Geography', 'Demographics', 'Economy', 'Politics', 'Current National Assembly Representatives', 'Tourism', 'References', 'History', 'Geography', 'Adjacent counties', 'Major highways', 'History', 'Geography', 'Adjacent counties', 'National protected areas', 'Critical response', 'Accolades', 'Merchandise', 'Cultural influence', 'Sequels and adaptations', 'Broadway adaptation', 'Film sequels', 'Film remake', 'Television', 'References', 'International French adjectival system (IFAS)', 'Romanian', 'New Zealand', 'Russian (post-USSR countries)', 'Ice and mixed climbing', 'WI numeric scale', 'M numeric scale', 'Scottish winter system', 'Bouldering', 'Aid climbing', 'Unincorporated community', 'Politics', 'See also', 'References'], ['Geography', 'Adjacent counties', 'National protected areas', 'Demographics', 'Government and politics', 'Politics', 'See also', 'References', 'Further reading'], ['History', 'Geography', 'Adjacent counties', 'National protected areas', 'State protected areas', 'Major highways', 'Demographics', 'Communities', 'City', 'Towns', 'Television', 'Theatre', 'Radio', 'References'], ['Geography', 'Adjacent counties', 'National protected area', 'State protected area', 'Major highways', 'Demographics', 'Micropolitan Statistical Area', 'Unincorporated communities', 'Former community', 'National Register of Historic Places', 'References', 'Gubernatorial election of 1923', 'Later House career', 'U.S. Senator (1927–49, 1955–56)', 'Second term and ascension to floor leader', 'Challenge by Happy Chandler', 'Floor leadership', 'Split with Roosevelt', 'Buchenwald Concentration Camp', 'Truman succeeds Roosevelt', 'Vice Presidency', 'History', "Father Ximénez's manuscript", "Father Ximénez's source", 'Story of Hunahpú and Xbalanqué', 'Structure', 'Excerpts', '"Preamble"', 'Monuments', 'Temple of Saturn', 'Other fora in Rome', 'See also', 'References'], ['Demographics', '2000 census', '2010 census', 'Politics', 'Government', 'Parks', 'Education', 'Higher education', 'Public', 'Private', 'Adjacent counties', 'National protected areas', 'Major highways', 'Demographics', 'Communities', 'City', 'Town', 'Townships', 'Unincorporated communities', 'Hospital', 'History', 'Geography', 'Adjacent counties', 'Biography', 'Work', 'Publications', 'See also', 'History', 'Super titles', 'Ranking system', 'Relationship with other bodies', 'In other media', 'See also', 'References'], ['Orpington car', 'Orpington man', 'Notable births and residents', 'TV appearances', 'Geography', 'References', 'Sources', 'Library', 'Churches', 'Public houses', 'Sport and recreation', 'Notable people', 'Yeading on screen', 'Nearest places', 'References'], ['Local', 'State', 'Federal', 'Political culture', 'Missouri presidential preference primary (2008)', 'Communities', 'Cities', 'Villages', 'Unincorporated communities', 'Townships', 'Political culture', 'Missouri presidential preference primary (2008)', 'Communities', 'Cities', 'Census-designated places', 'Other unincorporated communities', 'Townships', 'See also', 'References'], ['Further reading'], ['History', 'See also', 'References', 'Further reading'], []]



['Wikipedia: Fulton Opera House', 'Wikipedia: Grannus', 'Wikipedia: Brignoles', 'Wikipedia: Human rights in the Soviet Union', 'Wikipedia: Fitchburg', 'Wikipedia: Astrild', 'Wikipedia: Mahte', 'Wikipedia: Harold Pinter', 'Wikipedia: John Candy', 'Wikipedia: Essonne', 'Wikipedia: Circleville', 'Wikipedia: Madison County, Virginia', 'Wikipedia: Swain County, North Carolina', 'Wikipedia: Denny McLain', 'Wikipedia: Osterley', 'Wikipedia: Powell County, Montana', 'Wikipedia: Shelby County, Missouri', 'Wikipedia: Buchanan County, Missouri']
[['Building', 'Operation', 'See also', 'Image stability', 'Alignment', 'Optical coatings', 'Anti-reflective coatings', 'Phase correction coatings', 'Metallic mirror coatings', 'Dielectric mirror coatings', 'Terms used to describe coatings', 'For all binoculars', 'For binoculars with roof prisms only (not needed for Porro prisms)', 'Name', 'Etymology', 'Epithets', 'Personalities', 'Twin towns and sister cities', 'See also', 'References'], ['See also'], ['Regime', 'Other', 'Publication history', 'Plot summary', 'Reception', 'Sequels', 'Spoofs', 'Other versions', 'What If?', 'Secret Wars (2015)', 'Attestations', 'Poetic Edda', 'Threats', 'Prose Edda', 'Heimskringla', 'Archaeological record', 'Theories', '"Rival of Frigg"', 'Station', 'Passenger volume', 'Services', 'Rail', 'Bus', 'Ferry', 'Future', 'See also', 'Notes', 'References', 'All articles lacking sources', 'All stub articles', 'Articles lacking sources from March 2008', 'Latvia stubs', 'Latvian goddesses', 'Species', 'References'], ['Geography', 'Demography', 'Historical population', 'Immigration', 'History', 'Government and infrastructure', 'Economy', 'Maps', 'Cityscape', 'Places of interest', 'Biography', 'Early life', 'Early career', 'SCTV', 'Early Hollywood roles', 'Rising fame', 'Internal links'], ['History', 'Airports', 'National protected area', 'Demographics', 'Communities', 'Cities', 'Villages', 'Towns', 'Census-designated place', 'Unincorporated communities', 'Ghost towns/neighborhoods', 'Demographics', '2000 census', '2010 census', 'Politics', 'Law and government', 'Education', 'Public schools', 'Former Schools', 'Private Schools', 'Other'], ['All article disambiguation pages', 'All disambiguation pages', 'Original grading system', 'Clean scale', 'Comparison tables', 'See also', 'References', 'History', 'Early industry', 'Civil War era', 'Coming of the railroads', 'Discovery of coal', 'Discovery of oil', 'Early schools', 'Geography', 'United States Congress', 'Texas Legislature', 'Texas Senate', 'Texas House of Representatives', 'Liberty County elected officials', 'Economy', 'Education', 'Infrastructure', 'Police services', 'Fire services', 'History', 'Geography', 'Adjacent counties', 'Demographics', 'Transportation', 'Public Transportation', 'Major highways', 'Airport', 'Unincorporated communities', 'Notable residents', 'In popular culture', 'Politics', 'See also', 'References', 'Further reading'], ['History', 'Geography', 'Adjacent counties', 'Major highways', 'National protected area', 'Demographics', '2000 census', '2010 census', 'Government', 'County Commissioners', 'Other county officials', 'Pennsylvania Senate', 'Pennsylvania House of Representatives', 'United States House of Representatives', 'History', 'Lasley Vore Site', 'Old Fort Arbuckle', 'Battle of Chusto-Talasah', 'Coming of the railroads', 'Oil Boom', 'Tulsa County Court House', 'Geography and climate', 'Adjacent counties', 'Campaign for president', 'Later life and death', 'Memory', 'See also', 'References', 'Bibliography', 'Further reading', 'Primary sources', 'Secondary sources'], ['"The Primordial World"', 'Modern history', 'Modern editions', 'Contemporary culture', 'Reflections in Western culture', 'Antecedents in Maya iconography', 'Notable Editions', 'See also', 'Notes'], ['Romana I', 'Appearances in other media', 'Novels', 'Romana III', 'Audio plays', 'Incarnations', 'List of appearances', 'Public schools', 'Private schools', 'Communities', 'Cities', 'Villages', 'Townships', 'Census-designated places', 'Unincorporated communities', 'See also', 'References', 'Politics, law and government', 'Points of interest', 'See also', 'References'], ['National protected areas', 'Demographics', '2000 census', '2010 census', 'Communities', 'Cities', 'Towns', 'Villages', 'Census-designated places', 'Unincorporated communities', 'References', 'Further reading'], ['Current WBO world title holders', 'Male', 'World champions', 'Female', 'See also', 'Transition of WBO titles', 'WBO affiliated organizations', 'References'], ['History', 'Geography', 'Demographics', 'Ethnicity', 'Landmarks', 'Civic affairs', 'Mayor', 'Executive', 'Coat of arms', 'Twinning', 'Sport & Leisure', 'Transport and locale', 'Nearest places', 'Nearest tube station', 'Nearest railway stations', 'References', 'Geography', 'Major highways', 'Adjacent counties', 'National protected areas', 'See also', 'References'], ['Geography', 'Adjacent counties', 'Major highways', 'Geography', 'Major highways', 'Adjacent counties', 'Protected areas===', 'Lakes', 'Demographics', '2000 census', '2018 population estimates', 'Communities', 'Cities', 'History', 'Geography', 'Geographic features', 'Major highways', 'Airports', 'Adjacent counties', 'Demographics', 'Religion', 'Government']]



['Wikipedia: Strenua', 'Wikipedia: The Craft (film)', 'Wikipedia: A Severed Head', 'Wikipedia: Nine Mothers of Heimdallr', 'Wikipedia: Gerda', 'Wikipedia: Du gamla, du fria', 'Wikipedia: William A. Wheeler', 'Wikipedia: Sociolinguistics', 'Wikipedia: Portage County, Wisconsin', 'Wikipedia: Dying-and-rising deity', 'Wikipedia: Claiborne County, Tennessee', 'Wikipedia: Kundalini yoga', 'Wikipedia: Xmucane and Xpiacoc', 'Wikipedia: Geauga County, Ohio', 'Wikipedia: Union County, New Mexico', 'Wikipedia: Rich Mullins', 'Wikipedia: Paddington', 'Wikipedia: Watonwan County, Minnesota']
[['References'], ['References', 'Applications', 'General use', 'Land surveys and geographic data collection', 'Bird watching', 'Hunting', 'Range finding', 'Military', 'Astronomical', 'List of binocular manufacturers', 'See also', 'Centres of worship', 'Festival', 'Divine entourage', 'References'], ['Plot', 'Themes', 'Adaptations', 'Soviet concept of human rights and legal system', 'Freedom of political expression', 'Freedom of literary and scientific expression', 'Right to vote', 'Economic rights', 'Freedoms of assembly and association', 'Freedom of religion', 'Freedom of movement', 'Human rights movement', 'Perestroika and human rights', 'References', 'See also', 'Spider-Man: Life Story', 'In other media', 'Television', 'Literature', 'Merchandise', 'References'], ['Earth and fertility', 'Modern influence', 'Notes', 'References', 'Further reading'], ['History', 'Early life and career', 'Election of 1876', 'Vice Presidency (1877–1881)', 'Retirement (1881–1887)', 'Biography', 'Early life and education', 'Sport and friendship', 'Early theatrical training and stage experience', 'Marriages and family life', 'Civic activities and political activism', 'Career', 'As actor', 'As director', 'As playwright', 'Religious buildings', 'Colleges and universities', 'Main streets and squares', 'References'], ['Stardom', 'Collaboration with John Hughes and beyond', 'Later career', 'Death', 'Unfinished projects', 'Legacy', 'Filmography', 'Film', 'Television', 'Music Videos', 'Geography', 'Main sights', 'Politics', 'Current National Assembly Representatives', 'Demographics', 'Place of birth of residents', 'Tourism', 'See also', 'References'], ['Politics', 'See also', 'References'], ['Colleges and universities', 'Transportation', 'Airports', 'Railroads', 'Major highways', 'Communities', 'Cities', 'Towns', 'Magisterial Districts', 'Census-designated place', 'Disambiguation pages with short descriptions', 'Place name disambiguation pages', 'Short description is different from Wikidata', 'History', 'Geography', 'Adjacent counties', 'National protected area', 'Major highways', 'Demographics', 'Education', 'Madison County High School', 'Adjacent counties', 'National protected areas', 'Municipalities and incorporated towns', 'Unincorporated settlements and towns', 'Small communities, ghost towns, and former settlements', 'Transportation', 'Major highways', 'Farm to market roads', 'Railroads', 'Airports', 'Emergency medical services', 'Corrections', 'Transportation', 'Major highways', 'Aviation', 'Toll roads', 'Communities', 'Cities', 'Town', 'Census-designated place', 'Politics', 'Communities', 'Cities', 'Towns', 'Census-designated place', 'Unincorporated community', 'Ghost Town', 'See also', 'References'], ['History', 'Geography', 'Adjacent counties', 'National protected area', 'State protected areas', 'Education', 'Politics', '2016 presidential election', 'Communities', 'Cities', 'Towns', 'Census-designated places', 'Unincorporated communities', 'Notable people', 'See also', 'Major highways', 'Demographics', 'Politics', 'Parks and recreation', 'Communities', 'Cities', 'Towns', 'Census-designated places', 'Unincorporated communities', 'Former communities', 'History', 'Name', 'Hatha yoga', 'All articles lacking sources', 'All stub articles', 'Articles lacking sources from July 2009', 'Television', 'Audio dramas', 'Short Trips audios', 'Short stories', 'Comics', 'References'], [], ['History', 'Geography', 'History', 'Geography', 'Adjacent counties', 'National protected areas', 'Demographics', 'Communities of Swain County', 'Town', 'Census-designated place', 'Notable people', 'Politics', 'See also', 'References', 'Professional playing career', 'The rise to stardom', 'The year of the pitcher', 'The high life', 'The downfall', 'Career statistics', 'Post-major league career', 'See also', 'Notes', 'References', 'Biography', 'Early life', 'Beginnings as a recording artist', 'Kansas and the Move to Navajo Nation', 'Politics', 'Greenwich London Borough Council', 'Westminster Parliament', 'Education', 'Schools', 'Further education', 'Universities', 'Sport within the borough', 'Transport', 'River crossings', 'History', 'Tyburnia', 'Etymology', 'Demographics', '2000 census', '2010 census', 'Government and infrastructure', 'Communities', 'City', 'Census-designated places', 'Unincorporated communities', 'See also', 'References', 'Geography', 'Adjacent counties', 'Major highways', 'Demographics', 'Education', 'Public schools', 'Private schools', 'Public libraries', 'Politics', 'Local', 'Demographics', 'Education', 'Public schools', 'Private schools', 'Public libraries', 'Politics', 'Local', 'State', 'Federal', 'Missouri Presidential Preference Primary (2008)', 'Unincorporated communities', 'Townships', 'Politics', 'See also', 'References'], ['Elected officials', 'Attractions and events', 'Education', 'Communities', 'Village', 'Civil townships', 'Census-designated places', 'Other unincorporated communities', 'See also', 'References']]



['Wikipedia: Suadela', 'Wikipedia: Cygnus X-1', 'Wikipedia: Great Lakes Waterway', 'Wikipedia: Hilary of Poitiers', 'Wikipedia: Sussex County, Delaware', 'Wikipedia: Sochi', 'Wikipedia: AmigaDOS', 'Wikipedia: Auseklis', 'Wikipedia: Centeōtl', 'Wikipedia: Seine-Saint-Denis', 'Wikipedia: Grant County, West Virginia', 'Wikipedia: Acan', 'Wikipedia: Leon County, Texas', 'Wikipedia: Bowie County, Texas', 'Wikipedia: Lancaster County, South Carolina', 'Wikipedia: Tillman County, Oklahoma', 'Wikipedia: Picnic (1955 film)', 'Wikipedia: Viterbo', 'Wikipedia: Huntington, West Virginia', 'Wikipedia: Yiewsley', 'Wikipedia: Presque Isle County, Michigan']
[['References', 'References', 'Further reading'], ['Plot', 'Cast', 'Production', 'Soundtrack', 'Release', 'Reception', 'Box office', 'Legacy', 'References', 'Description', 'Map', 'See also', 'References', 'Bibliography'], ['Attestations', 'Names', 'Scholarly reception and interpretation', 'Notes', 'References', 'History', 'Beginnings', 'European discovery', 'European settlement', 'Geography', 'Adjacent counties', 'Fictional characters', 'History', 'Melody', 'Lyrics', 'See also', 'Notes', 'References'], ['References', 'Further reading'], ['"Comedies of menace" (1957–1968)', '"Memory plays" (1968–1982)', 'Overtly political plays and sketches (1980–2000)', 'As screenwriter', '2001–2008', 'Posthumous events', 'Funeral', 'Memorial tributes', 'Being Harold Pinter', 'The Harold Pinter Theatre, London', 'Applications', 'Traditional sociolinguistic interview', 'Fundamental concepts', 'Speech community', 'High prestige and low prestige varieties', 'Social network', 'Differences according to class', 'Class aspiration', 'References'], ['Controversy', 'Geography', 'Administration', 'History', 'History', 'Geography', 'Major highways', 'Airport', 'Adjacent counties', 'Wildlife refuges', 'Demographics', 'Communities', 'City', 'See also', 'Footnotes', 'References'], ['Overview', 'Development of the concept', 'Scholarly criticism', 'See also', 'Notes', 'References', 'Communities', 'Towns', 'Census-designated place', 'Other unincorporated communities', 'Politics', 'See also', 'References'], ['Media', 'Newspapers', 'Wood County Monitor', 'Winnsboro News', 'Radio stations', 'KWNS', 'KMOO', 'Demographics', 'Politics', 'Historic election results', 'Unincorporated communities', 'Notable people', 'See also', 'References'], ['History', 'Native Americans', 'Explorations and county established', 'Demographics', 'Communities', 'Cities', 'Towns', 'Unincorporated communities', 'Politics', 'See also', 'References'], ['References'], ['History', 'NRHP sites', 'See also', 'References'], ['Modern forms', 'Swami Nigamananda', 'Yogi Bhajan', 'Principles', 'Practice', 'See also', 'References', 'Further reading'], ['Characters from the Popol Vuh', 'Maya deities', 'Mesoamerican mythology stubs', 'History', 'Coat of arms', 'Geography', 'Climate', 'Places of interest', 'Baths of Viterbo', 'Drainage system', 'Adjacent counties', 'Demographics', '2000 census', '2010 census', 'Amish settlement', 'Politics', 'Transportation', 'U.S. highways', 'State highways', 'Unincorporated communities', 'Townships', 'Politics, law and government', 'Politics', 'County government', 'Board of Commissioners', 'Qualla Boundary government', 'Policing and law enforcement', 'Transportation', 'Major highways', 'History', 'Geography', 'Adjacent counties', 'National protected areas', 'Demographics', '2000 census', '2010 census', 'Communities', 'Town'], ['Geography', 'Location and nomenclature', 'Philosophy and philanthropy', 'Roman Catholicism', 'Music career', 'Beginnings with Zion', 'As Rich Mullins', 'The Ragamuffin Band', 'The Canticle of the Plains', 'The Jesus Record', 'Death and legacy', 'Discography', 'River transport', 'Railway stations', 'Tube/DLR stations', 'Travel to work', 'Economy', 'Tourism', 'Places', 'Parks and open spaces', 'Religion', 'See also', 'Colloquial expressions', 'Geography', 'Landmarks', "Browning's Pool", 'London Paddington Station', 'Paddington Basin', 'Paddington Central', 'Paddington Green', 'Transport', 'Rail'], ['Toponymy', 'Geography', 'State', 'Federal', 'Missouri presidential preference primary (2008)', 'Communities', 'Cities', 'Villages', 'Unincorporated communities', 'Notable people', 'See also', 'References', 'Communities', 'City', 'Villages', 'Unincorporated communities', 'Townships', 'See also', 'References'], ['History', 'Geography', 'Major highways', 'Airports', 'Adjacent counties', 'Protected areas===', 'Lakes==='], ['History', 'Geography']]



['Wikipedia: Summanus', 'Wikipedia: Sirona', 'Wikipedia: Adélie penguin', 'Wikipedia: McMinnville', 'Wikipedia: Ymir', 'Wikipedia: Tlazōlteōtl', 'Wikipedia: ACAT', 'Wikipedia: Lynchburg, Virginia', 'Wikipedia: Chester County, Tennessee', 'Wikipedia: Arsinoe III of Egypt', 'Wikipedia: Surry County, North Carolina', 'Wikipedia: Pawnee mythology', 'Wikipedia: Crayford', 'Wikipedia: Shannon County, Missouri', 'Wikipedia: Boone County, Missouri']
[['Temple and Cult', 'Summanus and Mount Summano', 'Notes and references', 'Discovery and observation', 'Binary system', 'Compact object', 'Formation', 'Accretion disk', 'Jets', 'HDE\xa0226868', 'Stephen Hawking and Kip Thorne', 'See also', 'References', 'Remake', 'See also', 'References'], ['See also', 'References'], ['Early life', 'In exile', 'Later life', 'Writings', 'Exegetical', 'Theological', 'Historical works and hymns', 'Reputation and veneration', 'Iconography', 'See also', 'Major highways', 'National protected area', 'Government', 'Demographics', '2000 census', '2010 census', 'Economy', 'Education', 'Public', 'Private', 'Early history', 'Russian Empire', 'Soviet time', 'Modern Russia', 'Geography', 'Layout and landmarks', 'Climate', 'Administrative and municipal status and city divisions', 'Tsentralny City District', 'Lazarevsky City District', 'Alumni', 'Singers', 'Instrumentalists', 'Composers', 'Conductors', 'Jazz Musicians', 'Musicologists', 'References'], ['Console', 'Syntax of AmigaDOS commands', 'Command redirection', 'Command template', 'Breaking commands and pausing console output', 'Wildcard characters', 'Scripting', 'Name', 'God', 'Symbol', 'Further reading', 'See also', 'References', 'Bibliography', 'Honours', 'Nobel Prize and Nobel Lecture', "Légion d'honneur", 'Scholarly response', 'Pinter research collections', 'List of works and bibliography', 'See also', 'References', 'Notes', 'Works cited', 'Worship', 'See also', 'References', 'Demographics', 'Education', 'Place of birth of residents', 'Politics', 'Current National Assembly Representatives', 'Tourism', 'References', 'Further reading'], ['Villages', 'Towns', 'Census-designated places', 'Unincorporated communities', 'Ghost town/neighborhood', 'Politics', 'See also', 'References', 'Further reading'], ['History', 'Geography', 'Major highways', 'Adjacent counties', 'National protected areas', 'Demographics', '2000 census', '2010 census', 'Communities', 'References', 'History', 'Founding and early growth', 'American Civil War', 'Postwar recovery', 'World War II and after', '1992 general election, presidential race', '1996 general election, presidential race', '2000 general election, presidential race', '2004 general election, presidential race', '2008 general election, presidential race', '2012 general election, presidential race', 'Education', 'Primary, elementary, and secondary public education', 'Colleges & universities', 'Historic & natural preservation sites and specially designated landmarks, districts, and businesses', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Communities', 'Cities and towns', 'Towns', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Government and infrastructure', 'Politics', 'Education', 'Communities', 'Cities', 'Unincorporated communities', 'History', 'Geography', 'Adjacent Counties', 'State protected areas', 'Geography', 'Adjacent counties', 'Demographics', '2000 census', '2010 census', 'Communities', 'City', 'Towns', 'Census-designated places', 'Unincorporated communities', 'History', 'Geography', 'Adjacent counties', 'Demographics', 'Economy', 'Politics', 'Communities', 'See also', 'References', 'Life', 'Issue', 'Legacy', 'References', 'Plot', 'Main cast', 'Production', 'Locations', 'Reception', 'Awards and honors', 'Music', 'Subliminal marketing hoax', 'Remakes', 'See also', 'Military', 'Government', 'Culture', 'Notable people', 'Religion', 'Patron saints', 'Macchina di Santa Rosa', 'Transportation', 'Education', 'Twin towns – sister cities', 'Public transportation', 'Airports', 'Education', 'Public school districts', 'Joint Vocational School District', 'Private and parochial schools', 'Higher education', 'Government', 'Congressional representation', 'U.S. representation', 'Railroads', 'See also', 'References'], ['Villages', 'Census-designated place', 'Other communities', 'Politics', 'See also', 'References'], ['History', '21st century', 'Marshall University', 'Southern Airways Flight 932', 'Climate', 'Cityscape', 'Neighborhoods', 'West', 'South', 'Marshall/Downtown', 'Awards and nominations', 'References', 'Further reading'], ['References'], ['History', 'National Rail', 'London Underground', 'Heritage', 'Buses', 'Road', 'Cycling', 'Canal', 'Development', 'Renewal proposal, 2018–2023', 'Religion', 'Neighbouring communities', 'Geology', 'History', 'Stone Age', 'Lower and Middle Palaeolithic', 'Bronze Age', 'Viking Age', 'The besieged Danes of Thorney Island 893 AD', 'The Norman Conquest 1066 until 1795', 'The Parish of Hillingdon and Colham Manor', 'Further reading'], ['History', 'History', 'Geography', 'National protected area', 'Adjacent counties', 'Major highways', 'Demographics', '2000 census', 'Communities', 'Cities', 'Unincorporated communities', 'Townships', 'Government and Politics', 'See also', 'Footnotes', 'Further reading', 'Geographic features', 'Lakes in the County', 'Adjacent Counties', 'Transportation', 'Air', 'Major highways', 'Demographics', 'Government', 'Elected officials', 'Historical markers']]



['Wikipedia: Growing Pains', 'Wikipedia: Balor', 'Wikipedia: Atari Transputer Workstation', 'Wikipedia: Vígríðr', 'Wikipedia: Thomas A. Hendricks', 'Wikipedia: Identity (philosophy)', 'Wikipedia: Val-de-Marne', 'Wikipedia: Polk County, Wisconsin', 'Wikipedia: Christina Nilsson', 'Wikipedia: Bosque County, Texas', 'Wikipedia: Kershaw County, South Carolina', 'Wikipedia: Texas County, Oklahoma', 'Wikipedia: Cleopatra I Syra', 'Wikipedia: Tohil', 'Wikipedia: Daitō-ryū Aiki-jūjutsu', 'Wikipedia: Torrance County, New Mexico', 'Wikipedia: Washington County, Minnesota']
[['Premise', 'Cast and characters', 'Main', 'Recurring', 'Opening sequences'], ['Name', 'Mythological Cycle', "Sirona's name", 'Interpretatio Romana', 'Evidence for Sirona', 'Inscriptions', 'Depictions', 'Temples', 'References in popular culture', 'See also', 'References', 'Taxonomy', 'Description', 'Ecology', 'Diet', 'Predators', 'Distribution and habitat', 'Behaviour', 'Reproduction', 'Migration', 'Osmoregulation', 'Dedications', 'See also', 'References', 'Bibliography'], ['Attestations', 'Poetic Edda', 'Prose Edda', 'Theories and interpretations', 'Lost sources', 'Tuisto, parallels, and Proto-Indo-European religion', 'Other', 'In popular culture', 'Higher education', 'Culture', 'Festivals, fairs, and events', 'Media', 'Newspapers', 'Radio', 'Television', 'Communities', 'Cities', 'Towns', 'Khostinsky City District', 'Adlersky City District', 'Demographics', 'Religion', 'Education', 'Sports', 'Sports facilities', '2014 Winter Olympics and Paralympics', 'Construction work', 'Other sports events', 'Etymology', 'Attestations', 'Poetic Edda', 'Prose Edda', 'Protection bits', 'Local and global variables', 'Case sensitivity', 'Volume naming conventions', 'Conventions of names and typical behaviour of virtual devices', 'File systems', 'Official variants of Amiga filesystems', 'FastFileSystem2 plug-ins', 'Filename extensions', 'Notes', 'Early life and education', 'Marriage and family', 'Early political career', 'Indiana legislature and constitutional convention', 'U.S. congressman', 'Land office commissioner', 'Further reading', 'Editions', 'Works of criticism'], ['Aztec religion', 'Quadripartite Deities', 'Sin', 'Encouragement of Sin', 'Purification', 'Dirt eating', 'Festival', 'Gallery', 'See also', 'Notes', 'Geography', 'Administration', 'History', 'Demographics', 'Geography', 'Adjacent counties', 'Major highways', 'City', 'Town', 'Magisterial districts', 'Unincorporated communities', 'Politics', 'See also', 'References'], ['Military', 'Science', 'Other uses', 'Modern revitalization', 'Timeline', 'Geography', 'Climate', 'Seven Hills', 'Adjacent counties', 'Demographics', 'Economy', 'Top employers', 'Government', 'Historic sites', 'National Register listings', 'Landmark districts', 'Main Street cities ===', 'Museums', 'Institutions and businesses with special state designations', 'Texas Business Treasure Award recipients (Texas Historical Commission Designation)', 'Communities', 'Cities', 'Towns', 'Census-designated place', 'Unincorporated communities', 'Ghost towns', 'Politics', 'See also', 'References'], ['Ghost town', 'See also', 'References'], ['Demographics', 'Education', 'Communities', 'City', 'Town', 'Unincorporated communities', 'In popular culture', 'Politics', 'See also', 'References', 'Politics', 'Notable residents/natives', 'See also', 'References'], [], ['History', 'Geography', 'Life', 'Queen', 'Queen Regent', 'References'], ['Attributes', 'Notes', 'Sources'], ['State representation', 'Judiciary', 'Communities', 'City', 'Villages', 'Townships', 'Census-designated places', 'Other unincorporated communities', 'Notable people', 'Athletes and Sports Players', 'History', 'Geography', 'Mountains', 'Rivers', 'National protected area', 'Adjacent counties', 'Demographics', 'Communities', 'City', 'Geography', 'Adjacent counties', 'National protected areas', 'Government', 'Demographics', '2000 census', 'East', 'Downtown Historic District', 'Ritter Park Historic District', 'Other historical structures and museums', 'Demographics', '2010 census', '2000 census', 'Government and politics', 'City Council', 'Law enforcement', 'Deities and spirit animals', 'Celestial observation', 'Morning Star ceremony', 'The Identity of the Morning Star', 'Human sacrifice', 'References', 'Industrialisation', 'Demography', 'Leisure', 'Sport', 'Education', 'Places of worship', 'Locality', 'Nearest places', 'Transport', 'Rail', 'People from Paddington', 'Notable residents', 'Education', 'In popular culture', 'Image gallery', 'See also', 'References'], ['The Industrial Age', 'The Opening of Grand Junction Canal 1794', "Yiewsley's brick Industry", 'The Great Western Railway and West Drayton Station (West Drayton and Yiewsley Station)', 'Diversification of industry from the mid-1800s', 'Decline in railway usage', 'Political Development', 'Yiewsley today', "St Matthew's Parish Church", 'Culture and Recreation', 'Geography', 'Adjacent counties', 'Major highways', 'National protected areas', 'Demographics', 'Religion', 'Politics', 'Local', 'State', 'Federal', 'Demographics', 'Education', 'Public schools', 'Private schools', 'Post secondary', 'Public libraries', 'Politics', 'Local', 'State', 'Federal', 'History', 'Geography', 'Major highways', 'Media', 'Newspapers', 'Television', 'Radio', 'Communities', 'Cities', 'Villages', 'Civil townships', 'Census-designated place', 'Other unincorporated communities']]



['Wikipedia: Gwen Teirbron', 'Wikipedia: Lists of association football clubs', 'Wikipedia: Auðumbla', 'Wikipedia: Administrative divisions of Mexico', 'Wikipedia: Chilaquiles', 'Wikipedia: Olivia de Havilland', 'Wikipedia: Interstate 30', 'Wikipedia: Centzon Tōtōchtin', 'Wikipedia: Gilmer County, West Virginia', 'Wikipedia: Kʼawiil', 'Wikipedia: Lee County, Texas', 'Wikipedia: Cheatham County, Tennessee', 'Wikipedia: Ptolemy VI Philometor', 'Wikipedia: The Rose Tattoo', 'Wikipedia: Gallia County, Ohio', 'Wikipedia: Leicester Square', 'Wikipedia: Bagoas', 'Wikipedia: Palmers Green', 'Wikipedia: Ottawa County, Michigan']
[['Theme song', 'Episodes', 'Awards and nominations', 'Spin-off', 'Reunion movies', 'Home media', 'Syndication', 'United States', 'Asia', 'Europe', 'Family', 'Fomorian rank', 'Death in battle', 'Folktale', "Balor's eye", 'Number of eyes and eye-cover', 'Severed head and lake origin tales', 'Localization of the legend', 'Interpretations', 'Parallels'], ['Veneration', 'Possible identification', 'See also', 'Notes and references'], ['History', 'Overview', 'Image gallery', 'References'], ['See also', 'Notes', 'References', 'Unincorporated communities', 'See also', 'References'], ['Transportation', 'Notable people', 'Twin towns – sister cities', 'See also', 'References', 'Notes', 'Sources'], ['Notes', 'References', 'Ingredients and variations', 'References'], ['Early life', 'Candidate for Indiana governor', 'Law practice', 'High office', 'U.S. Senator', 'Governor of Indiana', 'Vice presidential nominee', 'Vice President, 1885', 'Death and legacy', 'Honors and tributes', 'Electoral history', 'Identity statements', 'See also', 'Notes', 'References'], ['References', 'References', 'Biography', 'Place of birth of residents', 'Politics', 'Current National Assembly Representatives', 'Tourism', 'See also', 'References'], ['Airports', 'National protected area', 'Demographics', 'Education', 'Communities', 'Cities', 'Villages', 'Towns', 'Census-designated place', 'Unincorporated communities', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', '2000 census', 'Biography', 'Notes', 'References', 'Further reading'], ['Education', 'Colleges and universities', 'Public schools', 'Private schools', 'Primary and secondary schools', 'Health care', 'Transportation', 'Local transit', 'Intercity transit', 'Bus', 'Census-designated place', 'Other unincorporated communities', 'Ghost towns', 'Notable people', 'See also', 'References'], ['Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Politics', 'Government and infrastructure', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Media', 'Politics', 'Communities', 'Cities', 'Census-designated place'], ['History', 'Geography', 'History', 'Geography', 'Adjacent counties', 'Parks and recreation', 'National landmarks', 'Major highways', 'Demographics', '2000 census', 'Adjacent counties', 'National protected area', 'Demographics', 'Politics', 'Economy', 'Education', 'Transportation', 'Major highways', 'Airports', 'Communities', 'Issue', 'Ancestry', 'Trivia', 'Notes', 'References', 'Worship', 'Temple of Tohil', 'Modern worship', 'See also', 'Notes', 'References', 'History', 'Aiki-jūjutsu', 'Branches', 'Tokimune', 'Hisa', 'Horikawa', 'Sagawa', 'Kobayashi', 'Aiki concept', 'Classification of techniques', 'Musical artists & groups', 'See also', 'References'], ['Towns', 'Census-designated places', 'Townships', 'Unincorporated communities', 'Politics, law and government', 'Education', 'Surry County Schools', 'High schools', 'Middle schools', 'Elementary schools', '2010 census', 'Communities', 'City', 'Towns', 'Villages', 'Census-designated places', 'Unincorporated communities', 'See also', 'References', 'Huntington Fire Department', 'Health care', 'Economy', 'Culture', 'Annual events and fairs', 'Parks and trails', 'Harris Riverfront Park', 'Ritter Park', 'Paul Ambrose Trail for Health (PATH)', 'Memorial Park', 'Geography', 'History', '16th–18th centuries', '19th–21st centuries', 'Features', 'Gardens square', 'Buses', 'Notable residents', 'References'], ['Etymology', 'History', 'Palmers Green today', 'Demography', 'In popular culture', 'Public Services', 'Political Representation', 'Commerce', 'Transport', 'Rail', 'Buses', 'Air', 'Notable people', 'References'], ['Political culture', 'Missouri presidential preference primary (2008)', 'Education', 'Public Schools', 'Public libraries', 'Communities', 'Cities', 'Census-designated place', 'Other unincorporated places', 'See also', 'Political culture', 'Missouri Presidential Preference Primary (2008)', 'Communities', 'Cities', 'Villages', 'Unincorporated communities', 'Townships', 'Public safety', 'USAR Task Force', 'See also', 'Airports', 'Adjacent counties', 'Protected areas===', 'Demographics', '2010 census', '2000', 'Politics and government', 'Economy', 'Largest employers', 'Points of interest', 'See also', 'References'], []]



['Wikipedia: Volver a empezar', 'Wikipedia: Biróg', 'Wikipedia: Ontario (disambiguation)', 'Wikipedia: Les Guignols', 'Wikipedia: Glaðsheimr', 'Wikipedia: Levi P. Morton', 'Wikipedia: Centzonhuītznāhua', "Wikipedia: Val-d'Oise", 'Wikipedia: Pierce County, Wisconsin', 'Wikipedia: Wise County, Texas', 'Wikipedia: Ghetto', 'Wikipedia: Taos County, New Mexico', 'Wikipedia: Cricklewood', 'Wikipedia: Powder River County, Montana', 'Wikipedia: Scott County, Missouri', 'Wikipedia: Bollinger County, Missouri']
[['Australasia', 'Turkey', 'Latin America', 'References'], ['See also', 'Explanatory notes', 'References', 'Citations', 'Bibliography'], ['Children', 'References', 'Places', 'Africa (CAF)', 'Asia (AFC)', 'Europe (UEFA)', 'North, Central America and the Caribbean (CONCACAF)', 'Oceania (OFC)', 'South America (CONMEBOL)', 'Non-FIFA countries', 'See also'], ['Impact on popular culture', 'Famous characters', 'Visual identity', 'Criticism', 'Cancellation', 'Elsewhere', 'Name', 'Attestations', 'Scholarly reception and interpretation', 'See also', 'Notes and citations', 'References'], ['Federal entities of Mexico', 'States', 'Roles and powers of the states', 'Internal organization of states', 'Mexico City', 'Internal divisions of Mexico City', 'Self-determination of indigenous peoples', 'Postal abbreviations and ISO 3166-2 codes', 'History', 'Notes', 'References', 'Etymology', 'Regional variations', 'History in the United States', 'See also', 'Footnotes', 'References'], ['Career', 'Early films, 1935–1937', 'Movie stardom, 1938–1940', 'War years and lawsuit, 1941–1944', 'Vindication and recognition, 1945–1952', 'New life in Paris, 1953–1962', 'Later films and television, 1963–1988', 'Retirement, honors and death, 1989–2020', 'Personal life', 'Relationships', 'See also', 'Notes', 'References'], ['Route description', 'Texas', 'Arkansas', 'History', 'Exit list', 'Business routes', 'References', 'All articles lacking sources', 'All stub articles', 'Articles containing Classical Nahuatl-language text', 'History', 'Geography', 'Principal towns', 'Economy', 'Demographics', 'Place of birth of residents', 'Notable residents', 'Politics', 'See also', 'References', 'Further reading'], ['2010 census', 'Politics', 'Communities', 'Towns', 'Magisterial districts', 'Unincorporated communities', 'See also', 'Footnotes', 'References'], ['Names', 'Narratives and scenes', 'Functions', 'See also', 'References', 'Bibliography', 'Rail', 'Air', 'Highway', 'Arts and culture', 'Attractions and entertainment', 'Sports and recreation', 'Neighborhoods', 'Media', 'Print', 'Television', 'History', 'Hydraulic fracturing', 'Geography', 'Adjacent counties', 'National protected area', 'Demographics', 'Economy', 'Communities', 'City', 'Town', 'Unincorporated communities', 'See also', 'References'], ['Unincorporated communities', 'Ghost town', 'Notable residents', 'See also', 'References', 'Bibliography'], ['Adjacent counties', 'State protected areas', 'Demographics', 'Communities', 'City', 'Towns', 'Unincorporated communities', 'Politics', 'See also', 'References', '2010 census', 'Education', 'High schools', 'Middle schools', 'Elementary schools', 'Transportation', 'Politics', 'Communities', 'City', 'Towns', 'Cities', 'Towns', 'Unincorporated communities', 'NRHP sites', 'See also', 'References'], ['Background and early life', 'First reign (180-164 BC)', 'Regencies', 'Sixth Syrian War (170 BC-168 BC)', 'Rebellions and expulsion (168-164 BC)', 'Second reign (163-145 BC)', 'Conflicts with Ptolemy VIII and the Seleucids', 'Intervention in Syria (152-145 BC)', 'Productions', 'Controversy', 'Cast', '1951 Original Broadway Production', '1966 Revival', '1995 Revival', '2019 Revival', 'Influence', 'Related arts', 'See also', 'References', 'Further reading'], ['History', 'Geography', 'Adjacent counties', 'National protected area', 'Demographics', '2000 census', '2010 census', 'Politics', '2019 Coronavirus Pandemic', 'Mount Airy City Schools', 'Elkin City Schools', 'Colleges and universities', 'Media', 'Print', 'Broadcast', 'Tourism', 'Transportation', 'Airports', 'Major highways', 'Geography', 'Adjacent counties', 'National protected area', 'Demographics', 'Harveytown Park', 'Camp Mad Anthony Wayne', 'Camden Park', 'Beech Fork State Park', 'Sports', 'The Thundering Herd', 'Huntington Prep', 'Other sports', 'Football', 'Baseball', 'Entertainment', 'Cinemas', 'Other attractions', 'Infrastructure', 'Cultural references', 'Pronunciation', 'See also', 'References', 'Further reading'], ['Biography', 'In fiction', 'References'], ['Notable residents', 'Transport', 'Nearest places', 'Nearest tube stations', 'Nearest railway stations', 'Education', 'Churches', 'References', 'Bibliography'], ['History', 'Geography', 'Major highways', 'References'], ['History', 'References', 'Further reading'], ['Communities', 'Cities', 'Unincorporated communities', 'Ghost towns', 'Townships', 'Superfund sites and environmental damage', 'See also', 'References'], ['Geography', 'Bodies of water', 'Adjacent counties', 'Major highways', 'Demographics', 'Religion', 'Government', 'Elected officials', 'Local Policies', 'Politics']]



['Wikipedia: Cethlenn', 'Wikipedia: Hooded Spirits', 'Wikipedia: Alfred Deller', 'Wikipedia: Bande dessinée', 'Wikipedia: Búri', 'Wikipedia: Glen', 'Wikipedia: Naglfar', 'Wikipedia: Interstate 35', 'Wikipedia: Papa Legba', 'Wikipedia: Fayette County, West Virginia', 'Wikipedia: Cryogenic (band)', 'Wikipedia: Lavaca County, Texas', 'Wikipedia: Flag of Nepal', 'Wikipedia: Carter County, Tennessee', 'Wikipedia: Jasper County, South Carolina', 'Wikipedia: Stephens County, Oklahoma', 'Wikipedia: IBM 1620', 'Wikipedia: Stokes County, North Carolina', 'Wikipedia: Atshen', 'Wikipedia: AK-74', 'Wikipedia: Waseca County, Minnesota']
[['All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'Attestations', 'References', 'Lakes', 'Computer viruses', 'Ships', 'Other uses', 'See also', 'Life and career', 'Church music', 'Solo career', 'Style', 'See also', 'References'], ['Attestations', 'Notes and citations', 'References'], ['Constitutional empire', 'Federal republic', 'Centralist republic', 'Restoration of the Republic and Second Empire', 'See also', 'Notes', 'References', 'Etymology', 'Places', 'See also', 'References', 'Etymology', 'Attestations', 'Archaeological record', 'Interpretations and theories', 'Cultural influence', 'See also', 'Marriages and children', 'Religion and politics', 'Relationship with Joan Fontaine', 'Career assessment and legacy', 'Honours and awards', 'National honours', 'Honorary degrees', 'Memberships and fellowships', 'Filmography (partial)', 'See also', 'Early life', 'Career', 'Businessman', 'Republican activist', 'Civic leader', 'Member of Congress', 'Minister to France', 'US Senate candidate', 'Vice President'], ['Route description', 'Texas', 'Articles lacking sources from December 2009', 'Articles with short description', 'Aztec gods', 'Aztec mythology and religion', 'Mesoamerican mythology and religion', 'Mesoamerican mythology stubs', 'Short description with empty Wikidata description', 'Stellar gods', 'Politics', 'Current National Assembly Representatives', 'Tourism', 'See also', 'References'], ['History', 'Geography', 'Adjacent counties', 'National protected area', 'Demographics', 'Communities', 'Cities', 'History', 'Geography', 'Major highways', 'History', 'Early', 'Demo', 'Late 1990s', 'Radio', 'Sister cities', 'Politics', 'See also', 'Notes', 'References', 'Bibliography'], ['Politics', 'Education', 'Transportation', 'Major highways', 'Airports', 'Communities', 'Cities', 'Towns', 'Census-designated places', 'Unincorporated communities', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Education', 'Symbolism', 'Flag layout', 'Aspect ratio', 'Other flags', 'Incorrect versions', 'See also'], ['History', 'Watauga Association', 'Census-designated places', 'Unincorporated communities', 'Gallery', 'See also', 'References'], ['History', 'Geography', 'Adjacent counties', 'Demographics', 'Politics', 'Communities', 'Regime', 'Pharaonic ideology and Egyptian religion', 'Relations with the Jews', 'Relations with Nubia', 'Marriage and issue', 'Notes', 'References', 'Bibliography'], ['Film adaptation', 'Awards and nominations', 'References'], ['Etymology', 'Jewish ghettos', 'Europe', 'Nazi-occupied Europe', 'Morocco', 'Shanghai ghetto', 'Early United States ghettos', 'Communities', 'Villages', 'Townships', 'Census-designated place', 'Other unincorporated communities', 'See also', 'References'], ['See also', 'References'], ['2000 census', '2010 census', 'Communities', 'Towns', 'Villages', 'Census-designated places', 'Other communities', 'Politics', 'See also', 'References', 'Hockey', 'Roller derby', 'Media', 'Print', 'Television', 'Radio', 'Education', 'Transportation', 'Interstates and highways', 'Bridges', 'References', 'History', 'Origin and setting', 'Urban development east of Edgware Road', 'Urban development west of Edgware Road', 'Industrial history', 'Geography', 'Transport', 'Rail and Tube', 'Design details', 'Operating mechanism', 'Barrel', 'Adjacent counties', 'National protected area', 'Demographics', '2000 census', '2010 census', 'Politics', 'Communities', 'Town', 'Census-designated place', 'Unincorporated communities', 'Geography', 'Adjacent counties', 'Major highways', 'Demographics', 'Religion', 'Politics', 'Local', 'State', 'Federal', 'Political culture', 'History', 'Geography', 'Adjacent counties', 'Major highways', 'National protected area', 'Demographics', 'Religion', 'Economy', 'Agriculture', 'Education', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'Communities', 'Cities', 'Village', 'Census-designated places', 'Other unincorporated communities', 'Townships', 'See also', 'References'], []]



['Wikipedia: The Hershey Company', 'Wikipedia: Icaunis', 'Wikipedia: Bor', 'Wikipedia: Josephine Tey', 'Wikipedia: Sköll', 'Wikipedia: Hymir', 'Wikipedia: Nile perch', 'Wikipedia: Chalchiuhtlatonal', 'Wikipedia: Chalchiuhtotolin', 'Wikipedia: Everton F.C.', 'Wikipedia: Lunenburg County, Virginia', 'Wikipedia: Winkler County, Texas', 'Wikipedia: Borden County, Texas', 'Wikipedia: Cleopatra II of Egypt', 'Wikipedia: Fulton County, Ohio', 'Wikipedia: Sierra County, New Mexico', 'Wikipedia: Aulanerk', 'Wikipedia: Aumanil', 'Wikipedia: Pondera County, Montana', 'Wikipedia: Otsego County, Michigan']
[['History', 'Early Years', 'Hershey, Pennsylvania', "Hershey's Kisses", 'Unionization', "M&M's", 'Name', 'Attestations', 'Battle of Mag Tuired', 'Enniskillen', "Balor's wife", 'Prognostication', 'Eponyms', 'Explanatory notes', 'Footnotes'], ['Deller Consort', 'Collaborations', 'Death', 'Family', 'Honours', 'Selected discography', 'Notes', 'References'], ['Reach', 'Vocabulary', 'History', 'Early 1900s – 1929: Precursors', '1929–1940: Birth of the modern Franco-Belgian comic', '1940–1944: War and occupation', '1944–1959: Post-war era Belgian supremacy', 'The bande dessinée under siege in post-war France', '1959–1974: Scale tips to France and the market reaches adolescence', '1974–1990: France rises to preeminence and the bande dessinée comes of age', 'Fiction and mythology', 'Places', 'Inhabited places', 'Other places', 'People', 'Life and work', 'Death', 'Appearances and adaptations in other works', 'Reception and legacy', 'Publications', 'Mystery novels', 'Modern influence', 'Notes', 'References', 'Notes', 'References', 'Name', 'Notes', 'References', 'Citations', 'General sources'], ['Governor of New York', 'Later life', 'Personal life', 'Honors', 'Legacy', 'See also', 'References'], ['Oklahoma', 'Kansas', 'Missouri', 'Iowa', 'Minnesota', 'History', '"NAFTA Superhighway" controversy', 'Junction list', 'References'], ['References', 'Appearance', 'Alternative views', 'In popular culture', 'See also', 'References'], ['Villages', 'Towns', 'Census-designated places', 'Unincorporated communities', 'Ghost town/neighborhood', 'Politics', 'See also', 'References', 'Further reading'], ['Adjacent counties', 'National protected areas', 'Demographics', '2000 census', '2010 census', 'Politics', 'Economy', 'Notable people', 'Communities', 'Cities', 'In The Name Of', 'Discography', 'Video releases', 'References'], ['History', 'Geography', 'Adjacent counties', 'Major Highways', 'Demographics', 'See also', 'References'], ['Communities', 'Cities', 'Town', 'Unincorporated communities', 'Politics', 'See also', 'References'], ['References'], ['History', 'As Wayne County in the State of Franklin', 'Civil War', 'Early railroad', 'Geography', 'Lakes', 'Rivers', 'Waterfalls', 'Adjacent counties', 'National protected areas', 'State protected areas', 'Geography', 'Adjacent counties', 'National protected areas', 'Demographics', '2000 census', '2010 census', 'Government', 'Cities', 'Towns', 'Village', 'Census-designated place', 'Other unincorporated places', 'See also', 'References', 'Further reading', 'Life', 'Early life (before 175 BC)', 'First co-regency (175–131 BC)', 'Sole regency (131–127 BC)', 'Architecture', 'Memory', 'Memory access', 'Character and op codes', 'Invalid character', 'Architectural difficulties', 'Software', '1620 Non-decimal arithmetic', 'Model I', 'Black- or African-American ghettos', 'Effect of World War II on development', 'Theories on the development of Black ghettos', 'Race-based theories', 'Class-based theories', 'Alternative theory', 'U.S. characterizations of "ghetto"', 'Internal characterizations', 'Modern usage and reinterpretations of "ghetto"', 'Gay ghettos', 'History', 'Geography', 'Adjacent counties', 'Protected Areas', 'Demographics', 'History', 'Geography', 'Adjacent counties', 'Major highways', 'Climate and weather', 'Demographics', 'Communities', 'Cities', 'Towns', 'Village'], ['Geography', 'Adjacent counties', 'Rail', 'Public transit', 'River', 'Air', 'Notable people', 'Gallery', 'See also', 'References', 'Bibliography'], ['References', 'Road', 'Other', 'Local attractions and amenities', 'Local groups and associations', 'Development', 'Notable residents', 'In popular culture', 'Films made at Cricklewood Studios', 'References'], ['Sights', 'Iron sights', 'Optical sights', 'New features', 'Accessories', '5.45×39mm cartridge', 'Magazines', 'Variants', 'AKS-74', 'AK-74M', 'Notable residents', 'See also', 'References', 'Missouri presidential preference primary (2008)', 'Education', 'Public schools', 'Private schools', 'Colleges and universities', 'Public libraries', 'Communities', 'Cities', 'Villages', 'Unincorporated communities', 'Public schools', 'Public libraries', 'Crime', 'Climate and weather', 'Politics', 'Local', 'State', 'Federal', 'Political culture', 'Attractions', 'Protected areas===', 'Lakes===', 'Demographics', '2000 census', 'Communities', 'Cities', 'Unincorporated communities', 'Townships', 'Politics', 'See also', 'Etymology', 'History', 'Geography', 'Adjacent counties']]



['Wikipedia: Banba', 'Wikipedia: Mitchella', 'Wikipedia: Rosenborg BK', 'Wikipedia: Bestla', 'Wikipedia: Mundilfari', 'Wikipedia: Hroðr', 'Wikipedia: Dewing', 'Wikipedia: Interstate 37', 'Wikipedia: The Swirling Eddies', 'Wikipedia: Guinee', 'Wikipedia: Pepin County, Wisconsin', 'Wikipedia: Lampasas County, Texas', "Wikipedia: Jehovah's Witnesses practices", 'Wikipedia: Ptolemy VII Neos Philopator', 'Wikipedia: William Smith (geologist)', 'Wikipedia: Crofton Park', 'Wikipedia: Scotland County, Missouri', 'Wikipedia: Wadena County, Minnesota']
[['21st century', "Reese's Peanut Butter Cups", "Cadbury's", 'Krave Jerky', 'Milton Hershey School (MHS)', 'Manufacturing plants', 'Other sales and acquisitions', 'Product recalls', 'Philanthropy', 'Criticism', 'References', 'References', 'References', 'Species', 'History', 'Early years (1917–1959)', 'The breakthrough (1960–1968)', 'Ups and downs (1969–1987)', 'The bande dessinée becomes cultural heritage', '1990–present', 'Formats', 'Intégrales', 'Styles', 'Realistic style', 'Comic-dynamic style', 'Schematic style (ligne claire style)', 'Foreign comics', 'Conventions and journalistic professionalism', 'Other', 'See also', 'Name', 'Inspector Alan Grant novels', 'Stand-alone mysteries', 'Other novels', 'Biography', 'Plays', 'Radio and television dramatisations', 'References'], ['Etymology', 'See also', 'Notes', 'References', 'Attestations', 'Hymiskviða and Gylfaginning', 'Picture stones', 'References', 'Bibliography', 'Description', 'Invasive species', 'Lake Victoria introduction', 'Fishing', 'See also', 'Notes', 'References', 'Further reading', 'All set index articles', 'Articles with short description', 'English-language surnames', 'Short description is different from Wikidata', 'Surnames', 'Route description', 'History', 'Exit list', 'References', 'Afterlife places', 'All articles lacking sources', 'All stub articles', 'Articles lacking sources from January 2008', 'History', 'Geography', 'Adjacent counties', 'Towns', 'Magisterial districts', 'Census-designated places', 'Unincorporated communities', 'See also', 'References'], ['History', 'Colours', 'Crest', 'Nickname', 'Stadium', 'Training facilities', 'Proposed new stadia', 'Supporters and rivalries', 'Education', 'Communities', 'Towns', 'Census-designated place', 'Other unincorporated communities', 'Notable people', 'Politics', 'See also', 'References', 'History', 'Nursing controversy', 'Geography', 'Adjacent counties', 'Demographics', 'Politics', 'Transportation', 'Major highways', 'Airport', 'Communities', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Native Americans', 'County established', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Education', 'Media', 'Communities', 'Gallery', 'Major highways', 'Law enforcement', 'Climate', 'Demographics', 'Education', 'Colleges', 'Communities', 'Cities', 'Census-designated places', 'Unincorporated communities', 'Politics', 'Communities', 'City', 'Town', 'Unincorporated communities', 'See also', 'References'], ['Worship', 'Weekend meeting', 'Midweek meeting', "Memorial of Christ's death", 'Assemblies and conventions', 'Third reign (124–116 BC)', 'Issue', 'Ancestry', 'References', 'Model II', 'Models I and II consoles', 'Upper console', 'Lower console', 'Console typewriter', 'Peripherals', 'Operating procedures', 'Console', 'IBM 1621/1624 Paper Tape reader/punch', 'IBM 1622 Card reader/punch', 'European ghettos (Non-Jewish)', 'Roma ghettos', 'In Northern Ireland', 'In Great Britain', 'In Denmark', 'In France', 'In popular culture', 'Film', 'Music', 'See also', '2000 census', '2010 census', 'Politics', 'Transportation', 'Airport', 'Highways', 'Communities', 'City', 'Villages', 'Townships', 'Census-designated places', 'Unincorporated communities', 'Townships', 'Politics, law and government', 'Economy', 'See also', 'References'], ['National protected areas', 'Major highways', 'Demographics', '2000 census', '2010 census', 'Spaceport America', 'Communities', 'Cities', 'Village', 'Census-designated places', 'Early life', "Life's work", 'Publication and disappointment', 'All articles lacking sources', 'All articles with topics of unclear notability', 'All stub articles', 'Articles lacking sources from December 2009', 'Articles with multiple maintenance issues', 'Articles with short description', 'Articles with topics of unclear notability from January 2018', 'History', 'Brockley Hall', 'The Second World War', 'AK-74MR UUK (Universal Upgrade Kit)', 'AKS-74U', 'Specialized variants', 'Successors', 'AK-100 series', 'AK-12', 'Gallery', 'Accuracy potential', 'Users', 'Former users', 'Geography', 'Adjacent counties', 'National protected area', 'Demographics', '2000 census', '2010 census', 'Politics', 'Communities', 'City', 'Town', 'Former community', 'See also', 'References'], ['Communities', 'City', 'Villages', 'Unincorporated communities', 'Extinct towns', 'Townships', 'References'], ['References'], ['History', 'Transportation', 'Major highways', 'Other Routes', 'Airport', 'Demographics', 'Government', 'Elected officials', 'Media', 'Communities', 'City']]



['Wikipedia: Tempestas', 'Wikipedia: Ériu', 'Wikipedia: Prester John', 'Wikipedia: Duke of Lancaster', 'Wikipedia: Bölþorn', 'Wikipedia: Occupation of Japan', 'Wikipedia: Hati Hróðvitnisson', 'Wikipedia: Iðunn', 'Wikipedia: Powell Doctrine', 'Wikipedia: Methylation', 'Wikipedia: A Better Tomorrow', 'Wikipedia: Matsuo Bashō', 'Wikipedia: Doddridge County, West Virginia', 'Wikipedia: Louisa County, Virginia', 'Wikipedia: Blanco County, Texas', 'Wikipedia: Carroll County, Tennessee', 'Wikipedia: Horry County, South Carolina', 'Wikipedia: Seleucus III Ceraunus', 'Wikipedia: Olaus Rudbeck', 'Wikipedia: Franklin County, Ohio', 'Wikipedia: Stanly County, North Carolina', 'Wikipedia: Santa Fe County, New Mexico', 'Wikipedia: Richie Ashburn', 'Wikipedia: Seneca mythology', 'Wikipedia: Peckham', 'Wikipedia: Phillips County, Montana', 'Wikipedia: Ngariman', 'Wikipedia: Oscoda County, Michigan']
[['Cocoa purchase', 'See also', 'References', 'Additional sources', 'Role and mythical portrayal', 'Name and etymology', 'References', 'Bibliography', 'References'], ['Origin of the legend', 'Domination (1988–2002)', 'European adventures', 'Consolidation (2003)', 'Troubled times (2004–2005)', 'Turbulence (2006–2012)', 'Back to the roots project (2013–2014)', 'Success (2015–2018)', 'Colours and badge', 'Stadium', 'Players and staff', 'Impact and popularity', 'Notable comics', 'See also', 'Notes', 'References'], ['Attestations', 'Theories', 'Notes', 'References', 'Japanese surrender', 'Initial phase', 'SCAP', 'Organizations running in parallel to SCAP', 'Outcomes', 'Mánagarmr', 'References', 'Name', 'References', 'Bibliography'], ['Summary', 'Analysis and commentary', 'In biology', 'Methanogenesis', 'O-Methyltransferases', 'See also', 'References'], ['Career', 'Discography', 'Albums', 'Special and limited editions', 'Videography', 'References'], ['Articles with short description', 'Mythology stubs', 'Short description matches Wikidata', 'Voodoo', 'Major highways', 'Demographics', 'Government and politics', 'County Board of Supervisors', 'Presidential elections', 'Communities', 'City', 'Villages', 'Towns', 'Census-designated place', 'History', 'First settlers', 'New county', 'Oil and gas boom', 'Geography', 'Major highways', 'Coaching staff', 'Players', 'Current squad', 'Out on loan', 'Under-23s and Academy', 'Notable former players', 'Everton Giants', 'Honours', 'Domestic', 'European', 'History', '20th century to present', '2011 earthquake', 'Geography', 'Cities', 'Ghost town', 'Notable people', 'See also', 'References', 'Further reading'], ['Communities', 'Cities', 'Unincorporated community', 'Ghost Town', 'Politics', 'See also', 'References'], ['Politics', 'See also', 'References'], ['Politics', 'See also', 'References'], ['History', 'Geography', 'Adjacent counties', 'National protected area', 'Demographics', 'Evangelism', 'Watch Tower Society literature', 'Conversion', 'Ministers and ordination', 'Discipline', 'Family life', 'Morality', 'Blood', 'Spiritual warfare', 'Separateness', 'Identity', 'Notes', 'References'], ['Disk drives', 'General', 'Hardware implementation', 'Development history', 'A computer for the "small scientific market"', 'Requirements and design', 'The prototype', 'Transferred to San Jose for production', 'Implementation "levels"', 'Patents', 'References'], ['Human anatomy', 'Census-designated places', 'Unincorporated communities', 'See also', 'References'], ['History', 'Hanging of Alec Whitley', 'Geography', 'Adjacent counties', 'Major highways', 'Unincorporated communities', 'Ghost Towns', 'Politics', 'See also', 'References'], ['Later recognition', 'Legacy', 'See also', 'References', 'Other sources'], ['Inuit mythology', 'North American mythology stubs', 'Short description with empty Wikidata description', 'Notable buildings', 'Brockley Jack', "St Hilda's Church", 'Library', 'Cultural life and leisure', 'Eating, drinking and nightlife', 'Brockley Jack Theatre', 'Rivoli Ballroom', 'Transport', 'National Rail', 'Non-State Users', 'See also', 'Notes', 'References'], ['Census-designated places', 'Unincorporated communities', 'Notable residents', 'See also', 'References'], ['History', 'The Civil War', 'Post-war to present', 'Geography', 'Adjacent counties', 'Major highways', 'Demographics', 'Education', 'Public schools', 'Sources', 'See also', 'Geography', 'Major highways', 'Airports===', 'Adjacent counties', 'Protected areas===', 'Lakes===', 'Demographics', '2000 census', 'Communities', 'Cities', 'Village', 'Civil townships', 'Unincorporated communities', 'See also', 'References'], []]



['Wikipedia: Terminus', 'Wikipedia: Fódla', 'Wikipedia: Aqua Teen Hunger Force', 'Wikipedia: Alvin Plantinga', 'Wikipedia: Tōnacātēcuhtli', 'Wikipedia: Ozaukee County, Wisconsin', 'Wikipedia: Wilson County, Texas', 'Wikipedia: Lamb County, Texas', 'Wikipedia: Art Frahm', 'Wikipedia: Community of Christ', 'Wikipedia: A Ragamuffin Band', 'Wikipedia: Benton County, Missouri']
[['References', 'Places', 'See also', 'Notes', 'Letter of Prester John', 'Mongol Empire', 'Ethiopia', 'End of the legend and cultural legacy', 'Heraldry', 'See also', 'Notes', 'References', 'Further reading', 'Fiction', 'Current squad', 'Out on loan', 'Rosenborg 2 squad', 'Under-19 squad', 'Under-16 squad', 'Coaching staff', 'Administrative staff', 'Recent seasons', 'In European football', 'Records', 'History', 'First creation, 1351-1361', 'Second creation, 1362-1399', 'Third creation, 1399-1413', 'Family tree', 'See also', 'References', 'Name', 'Attestations', 'Theories', 'See also', 'Notes', 'References', 'Disarmament', 'Liberalization', 'Emphasis on stability and economic growth', 'Democratization', 'Trade Union Act', 'Labor Standards Act', 'Education reform', 'Release of political prisoners', 'Impact', 'War criminals', 'Premise', 'Production', 'Development', 'Writing and direction', 'Alternate titles', 'Name', 'Attestations', 'Poetic Edda', 'Prose Edda', 'Theories', 'Apples and fertility', 'Indo-European basis', 'Other', 'See also', 'References', 'Further reading', 'Primary sources', 'Proteins', 'Methionine synthase', 'Heavy metals: arsenic, mercury, cadmium', 'Epigenetic methylation', 'DNA/RNA methylation', 'Protein methylation', 'Evolution', 'In chemistry', 'Electrophilic methylation', 'Eschweiler–Clarke methylation', 'Plot', 'Cast', 'Theme song', 'Box office', 'Musical references', 'Film references', 'Cultural impact', 'Remakes', 'See also', 'References', 'Etymology', 'Origin and Role', 'Notes', 'References', 'Names', 'Early life', 'Rise to fame', 'Oku no Hosomichi', 'Last years', 'Influence and literary criticism', 'List of works', 'English translations', 'Notes', 'Unincorporated communities', 'See also', 'References', 'Further reading'], ['Adjacent counties', 'Demographics', '2000 census', '2010 census', 'Politics', 'Communities', 'Town', 'Magisterial districts', 'Unincorporated communities', 'Notable natives and residents', 'Doubles', 'European competitions', 'Overall record', 'Ownership and finance', 'Shirt sponsors and manufacturers', 'Managers', 'Records and statistics', "Everton's community department", 'Relationships with other clubs', 'In popular culture', 'Adjacent counties', 'Major highways', 'Demographics', 'Communities', 'Towns', 'Census-designated place', 'Other unincorporated communities', 'Historical places and points of interest', 'Notable people', 'Politics', 'History', 'Native Americans', 'Explorations and county established', 'Geography', 'Major highways', 'Adjacent counties', 'History', 'Geography', 'Adjacent counties', 'Demographics', 'Transportation', 'History', 'Demographics', 'Geography', 'Major highways', 'Adjacent counties', 'National protected area', 'Politics', 'Communities', 'Cities', 'Geography', 'Adjacent counties', 'State protected areas', 'Demographics', 'Transportation', 'Media', 'Radio stations', 'Newspapers', 'Communities', 'Law and government', 'County Council', 'County Council members', 'Law enforcement', 'Politics', 'Economy', 'Transportation', 'Airports', 'Mass transit', 'Major highways', 'Celebrations', 'Construction', 'Humanitarian efforts', 'Funding of activities', 'References', 'Bibliography'], ['Biography', 'References', 'Notable uses', 'Use in film and television', "Students' first encounters", 'Anecdotes', 'CADET', 'References'], ['Historical linguistics', 'Legacy', 'See also', 'References', 'History', 'Geography', 'Adjacent counties', 'Major highways', 'Demographics', '2010 census', 'Politics', 'Government', 'Demographics', 'Communities', 'Cities', 'Towns', 'Townships', 'Census-designated places', 'Other unincorporated communities', 'Law and government', 'Politics', 'Education', 'Geography', 'Adjacent counties', 'National protected areas', 'Demographics', '2000 census', '2010 census', 'Government', 'Playing career', 'Post-career and death', 'Awards and honors', 'Miscellaneous', 'See also', 'References'], ['Figures', 'References', 'Discography', 'Bus', 'Local government', 'Schools', 'Health', 'Football Team', 'Nearest places', 'Nearest railway stations', 'References'], ['History', '19th century', '20th century', 'Current status', 'Culture and identity', 'Ethnicity', 'Peckham in fiction', 'Transport and locale', 'Geography', 'Adjacent counties and rural municipalities', 'National protected areas', 'Demographics', '2000 census', '2010 census', 'Politics', 'Public libraries', 'Politics', 'Local', 'State', 'Federal', 'Missouri presidential preference primary (2008)', 'Communities', 'Cities', 'Villages', 'Unincorporated community', 'Geography', 'Adjacent counties', 'Major highways', 'Demographics', 'Education', 'Public schools', 'Unincorporated communities', 'Ghost towns', 'Townships', 'Government and Politics', 'See also', 'References'], ['History', 'Geography', 'Geographic features', 'Major highways', 'Adjacent counties', 'National protected area', 'Demographics']]



['Wikipedia: Lancaster Caramel Company', 'Wikipedia: Fiacha mac Delbaíth', 'Wikipedia: John de la Pole', 'Wikipedia: CWEB', 'Wikipedia: List of Finns', 'Wikipedia: Teen idol', 'Wikipedia: Basho (disambiguation)', 'Wikipedia: Louis François Antoine Arbogast', 'Wikipedia: Williamson County, Texas', 'Wikipedia: Lamar County, Texas', 'Wikipedia: Cannon County, Tennessee', 'Wikipedia: Hampton County, South Carolina', 'Wikipedia: Fayette County, Ohio', 'Wikipedia: Scotland County, North Carolina', 'Wikipedia: Sandoval County, New Mexico', 'Wikipedia: Lucia Pamela', 'Wikipedia: Park County, Montana', 'Wikipedia: Bates County, Missouri', 'Wikipedia: Osceola County, Michigan']
[['History', 'The American Caramel Company', 'P.C. Wiest Co.', 'Short description is different from Wikidata', 'References', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages with short descriptions', 'Human name disambiguation pages', 'History', 'Early history', 'Rise in importance', 'Destruction and rebuilding', '20th and 21st centuries', 'Buildings around the square', 'Town Hall', "King's House", 'Philosophy', 'Features', 'License', 'Inspiration', 'Television film', 'Filming', 'Broadcast and release', 'Reception', 'Accolades', 'Cultural significance', 'Reunion movies', 'Home media', 'DVD releases', 'Cultural reaction', 'Japanese women', 'See also', 'References', 'Citations', 'Sources', 'Further reading'], ['Home releases', 'Video games', 'Reception', '2007 Boston bomb scare', 'See also', 'References'], ['Skáldskaparmál', 'Grímnismál', 'Hárbarðsljóð', 'Lokasenna', 'Hyndluljóð', 'Familiar forms', 'Gallery', 'Evolutionary argument against naturalism', 'View on naturalism and evolution', 'Selected works by Plantinga', 'See also', 'Notes', 'References', 'Footnotes', 'Bibliography', 'Further reading'], ['Actors', 'Architects', 'Visual artists', 'Business people', 'Computer pioneers', 'Designers', 'Wisconsin', 'History', 'Exit list', 'See also', 'References'], ['East Asia', 'Central and West Asia', 'Europe', 'Italy', 'Germany', 'Ancient Israel and diaspora', 'Polish Jews', 'Types by primary ingredient', 'Wheat', 'Rice', 'Further reading', 'People with the surname', 'See also', 'Transportation', 'Politics', 'Communities', 'Cities', 'Villages', 'Towns', 'Census-designated place', 'Unincorporated communities', 'Ghost town', 'See also', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', '2010 census', '2000 census', 'Politics', 'Attractions', 'Biography', 'See also', 'Notes', 'References', 'General references', 'Scientific references', 'History', 'Government and politics', 'County board of supervisors', 'Geography', 'Street addresses', 'Adjacent counties', 'National protected area', 'Economy', 'Top employers', 'Demographics', 'References'], ['History', 'References'], ['Geography', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'National protected area', 'Demographics', 'Corrections', 'Libraries', 'History', 'Geography', 'Adjacent counties', 'State protected areas', 'Demographics', 'History', 'Geography', 'Adjacent counties', 'National protected area', 'Demographics', 'Government', 'Politics', 'Communities', 'City', 'Towns', 'Census-designated places', 'Unincorporated communities', 'NRHP sites', 'References', 'Biography', 'See also', 'References', 'Footnotes'], ['Character and op codes', 'Modifiers for five-character Branch on Indicator (B) instruction', 'Modifiers for Select Stacker (K) instruction', '1401 culture', 'See also', 'Notes', 'References', 'Videos', 'Further reading'], ['"All are called"', 'Priesthood', 'Salvation', 'Stewardship', 'Sacraments', 'Scripture', 'Bible', 'Book of Mormon', 'Book of Doctrine and Covenants', 'Lectionary usage'], ['History', 'Geography', 'Geography', 'Adjacent counties', 'Major highways', 'Demographics', 'Law and government', 'History', 'Geography', 'Adjacent counties', 'Adjacent counties', 'Demographics', 'Education', 'School districts', 'Universities and colleges', 'Politics', 'Media', 'Radio', 'Transportation', 'Airports', 'Discography', 'References'], ['Ethnicity', 'Landmarks', 'Hills and watercourses', 'Religion', 'Literature and theatres', 'Museums and galleries', 'Economy', 'Educational establishments', 'Housing', 'Courts and judiciary', 'History', 'Pensgreene and the Crooked Billet', 'Expansion', 'Governance', 'Geography', 'Nearby areas', 'Culture and community', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'Geography', 'Adjacent counties', 'Major highways', 'Demographics', 'Education', 'Public schools', 'Public libraries', 'Politics', 'Local'], ['History', 'Legacy and honors', 'Demographics', '2000 census', 'Communities', 'Cities', 'Unincorporated communities', 'Townships', 'Politics', 'See also', 'References'], ['History', 'Geography', 'Major highways']]



['Wikipedia: Vacuna', 'Wikipedia: Mac Cuill', 'Wikipedia: Edward Plantagenet, 17th Earl of Warwick', 'Wikipedia: ChatZilla', "Wikipedia: London King's Cross railway station", 'Wikipedia: Educational reform in occupied Japan', 'Wikipedia: Lists of towns', 'Wikipedia: List of counties in Massachusetts', 'Wikipedia: Henry L. Stimson', 'Wikipedia: Boli Shah', 'Wikipedia: Outagamie County, Wisconsin', 'Wikipedia: Tollcross', 'Wikipedia: Seminole County, Oklahoma', 'Wikipedia: Armistice Day', 'Wikipedia: Friendly Persuasion (1956 film)', 'Wikipedia: Abenaki mythology', 'Wikipedia: Traverse County, Minnesota']
[['References'], ['References', 'Description', 'References', 'Short description is different from Wikidata', 'Life', 'Imprisonment and execution', 'Houses of the Grand Place', 'Events', 'Flower carpet', 'Ommegang', 'In popular culture', 'Filmography', 'Gallery', 'See also', 'References'], ['See also', 'References'], ['Streaming', 'Syndication', 'See also', 'References', 'Further reading'], ['Magnitude of the problem', 'Reform Philosophy', 'Transition measures from the former to the new school systems', 'Transition measures for the former primary and secondary education  (1946–1950)', 'Abkhazia', 'Andorra', 'Antigua and Barbuda', 'Argentina', 'Artsakh', 'Aruba', 'FIPS code', 'List of current counties', 'Former counties', 'See also', 'References'], ['Early life and career', 'Secretary of War (1st term)', 'World War I', 'Filmmakers', 'Musicians', 'Classical', 'Electronic', 'Folk', 'Metal', 'Opera', 'Other', 'A–M', 'N–Z', 'Early teen idols', '1950s–1960s', '1970s', '1980s', '1990s', '2000s', '2010s', 'Buckwheat', 'Egg', 'Others', 'Types of dishes', 'Preservation', 'See also', 'References', 'Bibliography'], ['References', 'References', 'Further reading'], ['Communities', 'Town', 'Magisterial districts', 'Unincorporated communities', 'See also', 'References'], ['Further reading'], ['Places', 'Government and infrastructure', 'Transportation', 'Airports', 'Bus', 'Rail', 'Major highways', 'Education', 'Communities', 'Towns', 'Census-designated places', 'Prehistoric', 'Thrall flood', '1997 tornado outbreak', 'Modern growth', 'Geography', 'Topography', 'Environmentally protected areas', 'Endangered species', 'Adjacent counties', 'Demographics', 'Major highways', 'Adjacent counties', 'Demographics', 'Education', 'Communities', 'Cities', 'Census-designated place', 'Unincorporated communities', 'Politics', 'See also', 'Property taxes', 'Communities', 'Cities (multiple counties)', 'Enclave cities within San Antonio', 'Cities', 'Towns', 'Census-designated places', 'Other unincorporated communities', 'Military installations', 'Notable people', 'Government', 'Communities', 'Towns', 'Unincorporated communities', 'See also', 'References'], ['State protected area', 'Demographics', '2000 census', '2010 census', 'Communities', 'Towns', 'Unincorporated communities', 'Politics', 'See also', 'References'], ['History', 'Geography', 'History in Allied countries', '21st century', 'See also', 'Footnotes', 'References'], ['Plot', 'Cast', 'Production', 'Ecumenism and interfaith activities', "Women's participation", 'LGBT participation', 'Organization and structure', 'Views', 'See also', 'Notes', 'References', 'Further reading'], ['Adjacent counties', 'Major highways', 'Demographics', '2000 census', '2010 census', 'Politics', 'Government', 'Transportation', 'Airport', 'Communities', 'Tourism', 'Communities', 'City', 'Towns', 'Census-designated places', 'Other unincorporated communities', 'Townships', 'See also', 'References'], ['Native American Reservations', 'National protected areas', 'Demographics', '2000 census', '2010 census', 'Communities', 'City', 'Town', 'Villages', 'Census-designated places', 'Communities', 'City', 'Towns', 'Villages', 'Census-designated places', 'Hamlets', 'See also', 'References'], ['Biography', 'Family', 'References'], ['Civic affairs', 'Mayor', 'Cabinet', 'Coat of arms', 'Twinning', 'Politics', 'Southwark London Borough Council', 'Westminster Parliament', 'Sport and leisure', 'Transport', 'Community facilities', 'Landmarks', 'Gallery', 'Transport', 'Rail', 'Buses', 'Road', 'Education', 'Religious sites', 'Sport', 'National protected areas', 'Politics', 'Demographics', '2000 census', '2010 census', 'Communities', 'City', 'Town', 'Census-designated places', 'Unincorporated communities', 'State', 'Federal', 'Communities', 'Cities', 'Village', 'Unincorporated community', 'Notable people', 'See also', 'References'], ['Geography', 'Adjacent counties', 'Major highways', 'Demographics', 'Education', 'Public schools', 'Private schools', 'Public libraries', 'Politics', 'Local', 'Geography', 'Major highways', 'Adjacent counties', 'Adjacent counties', 'Demographics', 'Government', 'Elected officials', 'Communities', 'Cities', 'Villages', 'Unincorporated communities', 'Townships', 'See also']]



['Wikipedia: Christian IX of Denmark', 'Wikipedia: Beag', 'Wikipedia: Bebhionn', 'Wikipedia: Loucetios', 'Wikipedia: Braxton County, West Virginia', 'Wikipedia: Menstrual cycle', 'Wikipedia: Phosphorous', 'Wikipedia: Water vapor', 'Wikipedia: Chicomecōātl', 'Wikipedia: Bossou Ashadeh', "Wikipedia: Boum'ba Maza", 'Wikipedia: Cabell County, West Virginia', 'Wikipedia: Mars (band)', 'Wikipedia: Lexington, Virginia', 'Wikipedia: La Salle County, Texas', 'Wikipedia: Bell County, Texas', 'Wikipedia: Campbell County, Tennessee', 'Wikipedia: Greenwood County, South Carolina', 'Wikipedia: Rogers County, Oklahoma', 'Wikipedia: Diodotus Tryphon', 'Wikipedia: Temporal power of the Holy See', 'Wikipedia: Sampson County, North Carolina', 'Wikipedia: San Miguel County, New Mexico', 'Wikipedia: Yonkers, New York', 'Wikipedia: Muzzle brake', 'Wikipedia: Musselshell County, Montana', 'Wikipedia: Saline County, Missouri', 'Wikipedia: Ontonagon County, Michigan']
[['Sources', 'Ancient sources', 'Modern sources'], ['References', 'Ancestors', 'References'], ['Geography', 'Major highways', 'Adjacent counties', 'Early history', 'Features', 'Plugins', 'WebExtension', 'Reception', 'See also', 'References'], ['Location and name', 'History', 'Early history', 'Great Northern Railway (1850–1923)', 'London and North Eastern Railway (1923–1948)', 'British Rail (1948–1996)', 'Privatisation (1996–present)', 'Higher education : 1948–1950, converting to modern universities', 'Medical schools', 'See also', 'Notes', 'References', 'Bibliography', 'Australia', 'Austria', 'Bahrain', 'Barbados', 'Belize', 'Bhutan', 'British Virgin Islands', 'Brunei', 'Bulgaria', 'Canada', 'See also', 'Nicaragua and Philippines', 'Secretary of State', 'Secretary of War (2nd term)', 'Japanese American internment', 'General Patton', 'Morgenthau Plan', 'Atomic bomb', "Stimson's vision", 'Later life', 'Anecdote', 'Musical groups', 'Philosophers', 'Politicians', 'Scientists', 'Soldiers', 'Sportspeople', 'Athletics', 'Football', 'Ice hockey', 'A–K', 'See also', 'Notes', 'References'], ['Significance of Name', 'Appearance & Depiction', 'Festivals', 'See also', 'References', 'History', 'Transportation', 'Major Highways', 'County Highways', 'Airports', 'Geography', 'Rivers', 'Lakes', 'Adjacent counties', 'Demographics', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', '2000 census', '2010 census', 'Other', 'Discography', 'References', 'Other unincorporated communities', 'Notable people', 'See also', 'References'], ['Government and politics', "Commissioners' court", 'Congressional and state representation', 'Presidential election results', 'Sun City Texas', 'Economy', 'Agriculture', 'Business', 'County courthouse', 'Williamson County flag', 'References'], ['History', 'Climate', 'Politics', 'See also', 'References'], ['History', 'Geography', 'Adjacent counties', 'State protected areas', 'Demographics', 'Economy'], ['History', 'Geography', 'Adjacent counties', 'Demographics', 'Politics', 'Communities', 'See also', 'References', 'Life', 'Generalship and regency', 'Kingship', 'Reception', 'Connection with House Un-American Activities Committee testimony', 'Reagan Gift of Movie to Gorbachev', 'Awards and honors', 'Other adaptations', 'See also', 'References', 'Further reading'], ['Origins', 'Early modern period', '19th century', 'City', 'Villages', 'Townships', 'Census-designated places', 'Unincorporated communities', 'See also', 'References', 'History', 'Geography', 'Adjacent counties', 'Unincorporated community', 'Politics', 'See also', 'References', 'History', 'Early years', '19th century', '20th century', 'Three ages', 'Beings of the Ancient Age', 'Beings of the Golden Age', 'Gluskab and Malsumis', 'Beings of the Present Age', 'References', 'Bridges and tunnels', '"A" Roads', 'London Underground (Tube) stations', 'London Overground stations', 'Railway stations', 'Riverbus piers', 'Parking and DVLA database ban', 'Travel to work', 'Places', 'Localities', 'Cultural references', 'Notable residents', 'References'], ['Ghost town', 'See also', 'References', 'History', 'Geography', 'Adjacent counties', 'State', 'Federal', 'Presidential Elections', 'Missouri Presidential Preference Primary (2008)', 'Communities', 'Cities', 'Villages', 'Unincorporated communities', 'Townships', 'See also', 'Protected areas', 'Lakes===', 'Demographics', '2000 census', 'Communities', 'Cities', 'Unincorporated communities', 'Townships', 'Government and Politics', 'See also', 'References'], ['Geography']]



['Wikipedia: Languedoc-Roussillon', 'Wikipedia: ISCSI', 'Wikipedia: Phosphor', 'Wikipedia: Terry Scott Taylor', 'Wikipedia: Bugid Y Aiba', 'Wikipedia: Andrey Kolmogorov', 'Wikipedia: Electron transport chain', 'Wikipedia: Giant (1956 film)', 'Wikipedia: Lombard', 'Wikipedia: Fairfield County, Ohio', 'Wikipedia: Brennan Manning', 'Wikipedia: Barton County, Missouri', 'Wikipedia: Todd County, Minnesota']
[['Birth and family', 'Early life', 'Marriage', 'Heir-presumptive to the throne', 'Becoming the heir-presumptive', 'Succession and Second Schleswig War', 'Reign', 'Death', 'Legacy', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'Inscriptions and shrines', 'Name and etymology', 'Modern literature', 'References', 'Demographics', '2000 census', '2010 census', 'Politics', 'Communities', 'Towns', 'Magisterial districts', 'Unincorporated communities', 'See also', 'References', 'Concepts', 'Initiator', 'Target', 'Storage array', 'Software target', 'Restoration', 'Future Remodelling', 'Accidents and incidents', 'Other stations', "King's Cross York Road", 'Great Northern Cemetery Station', 'Services', 'Train services', 'London North Eastern Railway', 'Thameslink and Great Northern', 'Onset and frequency', 'Health effects', 'Fertility', 'Cramps', 'Mood and behavior', 'Mate choice', 'Voice', 'Cayman Islands', 'Chile', 'Comoros', 'Croatia', 'Curacao', 'Cyprus', 'Denmark', 'Dominica', 'East Timor', 'Equatorial Guinea', 'Light emission process', 'Materials', 'Phosphor degradation', 'Applications', 'Lighting', 'Awards', 'Legacy', 'In popular culture', 'See also', 'References', 'Further reading', 'Secondary sources', 'Primary sources'], ['L–Q', 'R–Z', 'Motorsports', 'Winter sports', 'Theologians, clergymen', 'Writers', 'Other notables', 'See also', 'References', 'Properties', 'Evaporation', 'Sublimation', 'Condensation', 'Chemical reactions', 'Measurement', 'Impact on air density', 'Calculations', 'At equal temperatures', 'References', 'Career', 'Knowledge & Innocence', 'References', 'Communities', 'Cities', 'Villages', 'Towns', 'Census-designated place', 'Unincorporated communities', 'Ghost towns/neighborhoods', 'Native American community', 'Politics', 'See also', 'Politics', 'Communities', 'City', 'Town', 'Village', 'Magisterial districts', 'Census-designated places', 'Unincorporated communities', 'Notable people', 'See also'], ['Biography', 'Early life', 'City Council', 'History', 'Geography', 'Climate', 'Demographics', 'Economy', 'Transportation', 'Controversies', 'Education', 'Higher education', 'Media', 'Transportation', 'Major highways', 'Minor highways', 'Communities', 'Cities (multiple counties)', 'Cities', 'Census-designated places', 'Early history', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Education', 'Communities', 'Cities', 'Census-designated place', 'Unincorporated communities', 'History', 'Geography', 'Adjacent counties', 'Demographics', 'Education', 'Transportation', 'Major highways', 'Mass transit', 'Coal mining', 'Tourism', 'Communities', 'Cities', 'Towns', 'Census-designated place', 'Unincorporated communities', 'Politics', 'See also', 'References', 'Adjacent counties', 'Major highways', 'National protected areas', 'Demographics', '2000 census', '2010 census', 'Economy', 'Government and infrastructure', 'Politics', 'Education', 'History', 'Geography', 'Adjacent counties', 'Demographics', 'Politics', 'Communities', 'Cities', 'See also', 'References', 'Bibliography', 'Plot', 'Cast', 'Production', 'Writing', '20th century', 'See also', 'Notes'], ['History', 'Geography', 'Adjacent counties', 'Demographics', '2000 census', '2010 census', 'Demographics', 'Communities', 'City', 'Towns', 'Census-designated places', 'Unincorporated communities', 'Townships', 'Economy', 'Politics', 'Education', 'Geography', 'Adjacent counties', 'National protected areas', 'Demographics', '2000 census', '2010 census', 'Communities', 'City', 'Villages', '21st century', 'Geography', 'Demographics', 'Neighborhoods', 'Northeast Yonkers', 'Northwest Yonkers', 'Southeast Yonkers', 'Southwest Yonkers', 'Government', 'Education', 'Biography', 'Bibliography', 'Filmography', 'References'], ['Parks and open spaces', 'Notable residents (past and present)', 'Freedom of the Borough', 'Individuals', 'Military Units', 'See also', 'References'], ['Rationale', 'Design and construction', 'Venting direction', 'Effectiveness', 'Disadvantages', 'Examples', 'US legislation and regulation', 'See also', 'References', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'National protected area', 'Politics', 'Demographics', '2000 census', '2010 census', 'Communities', 'Major highways', 'National protected area', 'Demographics', 'Education', 'Public schools', 'Private schools', 'Post-secondary', 'Public libraries', 'Politics', 'Local', 'References'], ['Geography', 'Notes', 'References', 'History', 'Geographic features', 'Major highways', 'Airport', 'Adjacent counties', 'National protected areas', 'Demographics', 'History', 'Government', 'Elected officials', 'Communities']]



['Wikipedia: Belatucadros', 'Wikipedia: Tague, West Virginia', 'Wikipedia: Philippine eagle', 'Wikipedia: Acetaldehyde', 'Wikipedia: Captain Debas', 'Wikipedia: Oneida County, Wisconsin', 'Wikipedia: Taiwan Strait', 'Wikipedia: Treaty of Amiens', 'Wikipedia: Knox County, Texas', 'Wikipedia: Bradley County, Tennessee', 'Wikipedia: Roger Mills County, Oklahoma', 'Wikipedia: Nigel Hawthorne', 'Wikipedia: Crystal Palace, London', 'Wikipedia: Perivale', 'Wikipedia: Missoula County, Montana']
[['"Father-in-Law of Europe"', 'Titles, styles, honours and arms', 'Titles and styles', 'Honours', 'Issue', 'Ancestry', 'See also', 'References', 'Other sources', 'Bibliography', 'References', 'Sources', 'Further reading', 'Toponymy', 'Geography', 'Politics', 'Culture', 'Language', 'Literature', 'Music', 'Wine', 'Sport', 'References', 'Logical unit number', 'Network booting', 'Addressing', 'iSNS', 'Security', 'Authentication', 'Logical network isolation', 'Physical network isolation', 'Authorization', 'Confidentiality and integrity', 'Hull Trains', 'Grand Central', 'Routes', 'London Underground station', 'Cultural references', 'In fiction', 'In film', 'Monopoly', 'References'], ['Smell', 'Body', 'Personality', 'Eating behavior', 'Substance abuse', 'Menstrual disorders', 'Cycles and phases', 'Ovarian cycle', 'Follicular phase', 'Ovulation', 'Estonia', 'Eswatini', 'Faroe Islands', 'Fiji', 'Finland', 'France', 'French Polynesia', 'Gambia', 'Germany', 'Greece', 'Phosphor thermometry', 'Glow-in-the-dark toys', 'Postage stamps', 'Radioluminescence', 'Electroluminescence', 'White LEDs', 'Black-and-white television CRTs', 'Reduced-palette color CRTs', 'Color television CRTs', 'Projection televisions', 'Taxonomy', 'Evolutionary history', 'Description', 'Distribution and habitat', 'History', 'Production', 'Other methods', 'Hydration of acetylene', 'Respiration and breathing', 'Lifting gas', 'General discussion', "In Earth's atmosphere", 'Radar and satellite imaging', 'Lightning generation', 'Extraterrestrial', 'See also', 'References', 'Bibliography', 'Influence', 'Discography', 'Solo', 'With Daniel Amos', 'With the Swirling Eddies', 'With the Lost Dogs', 'With the Rapsures', 'Other Appearances', 'References'], ['Etymology', 'References', 'References', 'Further reading'], ['References'], ['Names', 'Adulthood', 'Awards and honours', 'Bibliography', 'References'], ['Flag controversy', 'Red Hen restaurant controversy', 'Points of interest', 'Notable people', 'See also', 'References'], ['Other unincorporated communities', 'Ghost towns', 'Notable people', 'In popular culture', 'See also', 'References'], ['Ghost town', 'Notable people', 'Politics', 'See also', 'References'], ['Communities', 'Cities', 'Towns', 'Village', 'Census-designated place', 'Unincorporated communities', 'Politics', 'See also', 'References'], [], ['History', 'Geography', 'School districts', 'Elementary schools', 'Middle schools', 'High schools', 'Higher education', 'Alternate education centers', 'Communities', 'City', 'Towns', 'Census-designated places', 'Towns', 'Census-designated places', 'Unincorporated communities', 'NRHP sites', 'References'], ['Mitochrondrial electron transport chains', 'Complex I', 'Complex II', 'Complex III', 'Complex IV', 'Coupling with oxidative phosphorylation', 'Reverse electron flow', 'Bacterial electron transport chains', 'Electron donors', 'Complex I and II', 'Casting', 'Filming', 'Music', 'Themes', 'Release', 'Home media', 'Reception', 'Box office', 'Accolades', 'Academy Awards', 'History and culture', 'Language', 'Commerce', 'Places', 'Other uses', 'See also', 'Politics', 'Government', 'Education', 'School districts', 'Elementary schools', 'High schools', 'Communities', 'Cities', 'Villages', 'Townships', 'County schools', 'Clinton-City Schools', 'Libraries', 'Transportation', 'Major highways', 'Airports', 'Notable people', 'See also', 'References'], ['Census-designated places', 'Other communities', 'Ghost town', 'Notable people', 'Politics', 'See also', 'References'], ['Transportation', 'Mass transit', 'Roads and paths', 'Fire department', 'Economy', 'Principal employers', 'Notable people', 'Academia', 'Business', 'Entertainment', 'Early life', 'Career', 'Personal life', 'Death', 'History', 'The Crystal Palace', 'Landmarks', 'Crystal Palace Triangle', 'Transmitters'], ['Toponymy', 'History', 'City', 'Town', 'Census-designated places', 'Unincorporated communities', 'See also', 'References', 'State', 'Federal', 'Communities', 'Cities', 'Villages', 'Unincorporated communities', 'See also', 'References', 'Further reading'], ['Adjacent counties', 'Major highways', 'Airport', 'Demographics', 'Education', 'Public schools', 'Public libraries', 'Politics', 'Local', 'State', 'Geography', 'Major highways', 'Adjacent counties', 'Lakes===', 'Protected areas===', 'Demographics', '2000 census', 'Amish', 'Communities', 'Cities', 'Village', 'Civil townships', 'Census-designated place', 'Unincorporated communities', 'Ghost town', 'Indian reservation', 'See also', 'References'], []]



['Wikipedia: Vervactor', 'Wikipedia: Belenus', 'Wikipedia: Lugus', 'Wikipedia: Tromsø IL', 'Wikipedia: Langres', 'Wikipedia: List of Portuguese monarchs', 'Wikipedia: Interstate 40', 'Wikipedia: Cihuacōātl', 'Wikipedia: Clermeil', 'Wikipedia: Lee County, Virginia', 'Wikipedia: Willacy County, Texas', 'Wikipedia: Bee County, Texas', 'Wikipedia: Stephen Krashen', 'Wikipedia: St Kilda Football Club', 'Wikipedia: Erie County, Ohio', 'Wikipedia: Rutherford County, North Carolina', 'Wikipedia: San Juan County, New Mexico', 'Wikipedia: Ripley County, Missouri', 'Wikipedia: Swift County, Minnesota', 'Wikipedia: Ogemaw County, Michigan']
[[], ['References', 'Historical cult', 'Name', 'Etymology', 'Epithets', 'Derived names', 'Major communities', 'See also', 'References'], ['History', '1920–39: The pre-war years', '1945–1969: Two Northern-Norwegian cup championships', '1970–1985: Build-up for the top division', '1986–2001: 16 years in the top division', 'Implementations', 'Operating systems', 'Targets', 'Converters and bridges', 'See also', 'Notes', 'References', 'Further reading', 'Video links', 'History', 'Main sights', 'Luteal phase', 'Uterine cycle', 'Menstruation', 'Proliferative phase', 'Secretory phase', 'Ovulation suppression', 'Birth control', 'Breastfeeding', 'Other interventions', 'Society and culture', 'Greenland', 'Grenada', 'Guam', 'Guernsey', 'Guinea-Bissau', 'Hong Kong', 'Hungary', 'Iceland', 'Republic of Ireland', 'India', 'Standard phosphor types', 'Various', 'See also', 'References', 'Bibliography'], ['Ecology and behavior', 'Diet', 'Reproduction', 'Conservation', 'Philippine Eagle Diplomacy', 'Relationship with humans', 'See also', 'References'], ['Dehydrogenation of ethanol', 'Hydroformylation of methanol', 'Reactions', 'Tautomerization of acetaldehyde to vinyl alcohol', 'Condensation reactions', 'Acetal derivatives', 'Precursor to vinylphosphonic acid', 'Biochemistry', 'Uses', 'Safety'], ['Route description', 'California', 'Functionary of Tenochtitlan', 'See also', 'Notes', 'All articles lacking sources', 'All stub articles', 'Articles lacking sources from December 2009', 'Deity stubs', 'Voodoo gods', 'Wikipedia articles needing clarification from April 2014', 'History', 'Geography', 'Adjacent counties', 'Major highways', 'Airports', 'National protected area', 'Demographics', 'Communities', 'City', 'Towns', 'Geography', 'Geology', 'Sediment distribution', 'History', 'Economy', 'Gallery', 'See also', 'References', 'Citations', 'Bibliography', 'National goals', 'Early diplomacy', 'Final negotiations', 'Terms', 'Amiens interlude', 'Breakdown', 'War', 'Notes', 'History', 'Economy', 'Geography', 'Districts', 'Adjacent counties', 'National protected areas', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'National protected areas', 'Demographics', 'Geography', 'Major highways', 'Adjacent counties', 'Notable geographic features', 'Demographics', 'Education', 'Bobby Boatright Memorial Music Camp', 'History', 'Courthouse', 'Geography', 'Adjacent counties', 'State protected areas', 'Demographics', '2000 census', '2010 census', 'Economy', 'Government', 'Infrastructure', 'Transportation', 'Air', 'Unincorporated communities', 'See also', 'References'], ['History', 'Geography', 'Major Highways', 'Adjacent counties', 'National protected areas', 'Demographics', 'Economy', 'Quinone carriers', 'Proton pumps', 'Cytochrome electron carriers', 'Terminal oxidases and reductases', 'Electron acceptors', 'Photosynthetic', 'See also', 'References', 'Further reading'], ['Other honors', 'Inspiration', 'Influence', 'See also', 'Notes', 'References', 'Further reading'], ['History', '1873–1915: Early years', '1873: Establishment', '1897: Joining the VFL', '1907: First finals series', '1913: First grand final', 'Census-designated places', 'Unincorporated communities', 'See also', 'References'], ['History', 'Geography', 'Adjacent counties', 'Geography', 'Adjacent counties', 'National protected areas', 'Major highways', 'Demographics', 'Military', 'Miscellaneous', 'Politics', 'Sport', 'Writer/ journalist', 'In popular culture', 'Gallery', 'Twin towns and sister cities', 'See also', 'References', 'Honours', 'Filmography', 'Film', 'Television', 'Video Games', 'Stage', 'Theatre', 'Awards and nominations', 'References'], ['Crystal Palace Park', 'Westow Park', 'Stambourne Woods', 'Saint Constantine and Helen Greek Orthodox Church', 'Geography', 'Local government', 'Local authorities', 'London Assembly', 'Westminster Parliament', 'Media', 'Origins and early history===', 'Development and urbanisation, 1930s onwards===', 'Demography', 'Geography', 'Sport, leisure and culture', 'Culture and leisure facilities', 'Sport', 'Education', 'Transport', 'Road', 'History', 'Geography', 'Geographic features', 'Flora and fauna', 'Climate', 'National protected areas', 'Major highways', 'History', 'Geography', 'Adjacent counties', 'Federal', 'Communities', 'Cities', 'Villages', 'Census-designated place', 'Other unincorporated places', 'Townships', 'See also', 'References'], ['Unincorporated communities', 'Townships', 'Government and Politics', 'See also', 'References'], ['History', 'Geography', 'Highways', 'Adjacent counties']]



['Wikipedia: Verminus', 'Wikipedia: Los Chicos de Puerto Rico', 'Wikipedia: Coral reef', 'Wikipedia: Château de Chambord', 'Wikipedia: Mixcoatl', 'Wikipedia: Brooke County, West Virginia', 'Wikipedia: Hitler Diaries', 'Wikipedia: Pushmataha County, Oklahoma', 'Wikipedia: Chirakan-Ixmucane', 'Wikipedia: Australian (disambiguation)', 'Wikipedia: List of semiregular variable stars', 'Wikipedia: Financial statement', 'Wikipedia: Barry County, Missouri']
[['References', 'See also', 'References', 'After break-up', 'Etymology', 'Inscriptions', 'Toponyms and ethnonyms', 'Gaulish Mercury', 'Iconography', 'Triplism', 'Sacred sites', 'Continuity in later Celtic narratives', 'See also', '2002–present: Second spell in the top division', 'Honours', 'Recent history', 'European merits', '1980s', '1990s', '2000s', '2010s', 'Royal League', 'European matches', 'Formation', 'Material', 'Types', 'Fringing reef', 'Barrier reef', 'Culture', 'Notable people', 'Climate', 'International relations', 'Twin towns, sister cities', 'See also', 'Gallery', 'References'], ['Menstrual hygiene products', 'Seclusion during menstruation', 'Etymological', 'The Moon', 'Work', 'See also', 'References'], ['Isle of Man', 'Israel', 'Jersey', 'Kiribati', 'Kosovo', 'Latvia', 'Lesotho', 'Luxembourg', 'Maldives', 'Malta', 'House of Burgundy (1139–1383)', 'House of Aviz (1385–1580)', 'House of Habsburg (1581–1640)', 'House of Braganza (1640–1910)', 'Line of succession', 'See also', 'References', 'Architecture', 'History', 'Royal ownership', 'French Revolution and modern history', 'Exposure limits', 'Dangers', 'Toxicity', 'Irritation', 'Carcinogenicity', 'Aggravating factors', "Alzheimer's disease", 'Genetic conditions', 'Disulfiram', 'Sources of exposure', 'Arizona', 'New Mexico', 'Texas', 'Oklahoma', 'Arkansas', 'Tennessee', 'North Carolina', 'History', 'Future', 'Major junctions', 'Citations', 'References', 'Further reading', 'All articles lacking sources', 'All stub articles', 'Articles lacking sources from December 2009', 'Deity stubs', 'Sea and river gods', 'Voodoo gods', 'Census-designated places', 'Unincorporated communities', 'Ghost towns/neighborhoods', 'Politics', 'See also', 'References', 'Further reading'], ['History', 'Geography', 'Major highways', 'References and further reading'], ['Background', 'Major routes', 'Demographics', 'Politics', 'Education', 'Public high schools', 'Public middle schools', 'Public elementary schools', 'Technical schools', 'Communities', 'Towns', 'Education', 'Media', 'Prisons', 'Recent controversy', 'Politics', 'Communities', 'Cities', 'Census-designated places', 'Unincorporated community', 'See also', 'Communities', 'Cities', 'Town', 'Unincorporated communities', 'Politics', 'See also', 'References'], ['Major highways', 'Adjacent counties', 'Demographics', 'Government and infrastructure', 'Politics', 'Education', 'Communities', 'City', 'Census-designated places', 'Unincorporated community', 'Rail', 'Highways', 'Principal highways', 'Secondary highways', 'Utilities', 'Healthcare', 'Education', 'Private schools', 'Higher education', 'Media', 'Work', 'Awards', 'Educational policy activism', 'Writing', 'References'], ['Politics', 'Communities', 'See also', 'References'], ['References', 'Australia', 'Elsewhere', 'See also', '1918–1939: Between the wars', '1925: First Brownlow medallist', '1930s', '1940s and 1950s', '1957–1959: Consecutive Brownlow medallists', '1960–1973: Successful era', 'Departure from the Junction Oval', '1965: First minor premiership', '1966: First premiership', 'Late 1960s', 'History', 'Geography', 'Adjacent counties and municipalities', 'Major highways', 'Demographics', '2000 census', '2010 census', 'Government and politics', 'Major highways', 'Demography', 'Economy', 'Communities', 'Towns', 'Village', 'Census-designated places', 'Unincorporated communities', 'Townships', 'Politics', '2000 census', '2010 census', 'Communities', 'Cities', 'Census-designated places', 'Other communities', 'Politics', 'See also', 'References', 'Further reading'], ['See also', 'Purpose for financial statements', 'Consolidated', 'Government', 'Films', 'Literature', 'Sports', 'Crystal Palace Football Club', 'FA Cup Final', 'National Sports Centre', 'Motor Racing', 'Education', 'Transport', 'Roads', 'Public Transport', 'Canal', 'Literature and the media', 'Notable people', 'Local Government', 'Nearby places', 'References'], ['Adjacent counties', 'Demographics', '2000 census', '2010 census', 'Economy', 'Law and government', 'Education', 'School districts', 'Colleges and universities', 'Communities', 'Major highways', 'National protected area', 'Demographics', 'Religion', 'Politics', 'Local', 'State', 'Federal', 'Political culture', 'Missouri presidential preference primary (2008)', 'Geography', 'Adjacent counties', 'Major highways', 'History', 'Historic buildings', 'Politics', 'Geography', 'Major highways', 'Adjacent counties', 'Airport', 'National protected area', 'State protected area', 'Demographics', 'Government', 'Elected officials', 'Communities', 'Cities', 'Village', 'Census-designated places', 'Townships']]



['Wikipedia: Vica Pota', 'Wikipedia: Viriplaca', 'Wikipedia: Bile', 'Wikipedia: Luxovius', 'Wikipedia: Le Bébête Show', 'Wikipedia: Glut', 'Wikipedia: List of counties in Vermont', 'Wikipedia: New York Philharmonic', 'Wikipedia: Kitchener', 'Wikipedia: Bananarama', 'Wikipedia: Oconto County, Wisconsin', 'Wikipedia: Lancaster County, Virginia', 'Wikipedia: Wilbarger County, Texas', 'Wikipedia: Kleberg County, Texas', 'Wikipedia: Baylor County, Texas', 'Wikipedia: Greenville County, South Carolina', 'Wikipedia: Ixpiyacoc', 'Wikipedia: Alom', 'Wikipedia: Peyton Place', 'Wikipedia: Rowan County, North Carolina', 'Wikipedia: CASA (aircraft manufacturer)', 'Wikipedia: Cruel Intentions', 'Wikipedia: Petersham, London', 'Wikipedia: Mineral County, Montana', 'Wikipedia: Oceana County, Michigan']
[['See also', 'References', 'Members', 'Discography', 'See also', 'References'], ['Notes', 'References'], ['Players', 'Current squad', 'On loan', 'All-time player stats', 'Staff', 'Coaching staff', 'Administrative staff', 'Managers 1986–present', 'Supporters', 'References', 'Platform reef', 'Atoll', 'Other reef types or variants', 'Zones', 'Locations', 'Coral', 'Zooxanthellae', 'Skeleton', 'Reproduction', 'Other reef builders', 'History', 'Characters', 'See also'], ['All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'Marshall Islands', 'New Caledonia', 'New Zealand', 'Northern Cyprus', 'North Macedonia', 'Norway', 'Palau', 'Papua New Guinea', 'Poland', 'Portugal', 'Bibliography'], ['List', 'Influence', 'References', 'Further reading'], ['Indoor air', 'Outdoor air', 'Tobacco smoke', 'Cannabis smoke', 'Alcohol consumption', 'Plastics', 'Candida Overgrowth', 'See also', 'References'], ['Auxiliary routes', 'Business routes', 'See also', 'References'], ['Representation', 'Mythology', 'Ritual associations', 'Modern associations and references', 'See also', 'Notes', 'References', 'Career', '1979–1982: Early years', '1982–1985: Deep Sea Skiving and Bananarama', '1986–1987: True Confessions and international success', 'History', 'Geography', 'Adjacent counties', 'Major highways', 'Airport', 'Adjacent counties', 'National protected area', 'Demographics', '2000 census', '2010 census', 'Law and government', 'Politics', 'Education', 'Communities', 'Cities', 'Operation Seraglio', 'Konrad Kujau', 'Gerd Heidemann', 'Stern, The Sunday Times and Newsweek', 'Production and sale of the diaries', 'Production', 'Acquisition', 'Initial testing and verification; steps towards publication', 'Released to the news media; the Stern press conference', 'Forensic analysis and the uncovering of the frauds', 'Census-designated places', 'Other unincorporated communities', 'Notable residents', 'See also', 'References'], ['References'], ['Geography', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'National protected area', 'See also', 'References'], ['Newspapers', 'Radio', 'Television', 'Communities', 'Cities', 'Census-designated places', 'Unincorporated communities', 'See also', 'References', 'Notes', 'Geography', 'Adjacent counties', 'Demographics', '2016', 'Economy', 'Communities', 'History', 'Administrative History', 'Prehistory and exploration', 'The Indian Territory', 'Political Organization', 'The American Civil War', 'Railroads arrive', 'Bid for self-determination', 'See also', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', '1970–1973: Consecutive finals series', '1990–1999', '1992: Last home game at Moorabbin', '1996: First pre-season cup win', '1997: Second minor premiership', '1998–2000', '2000–2008: From wooden spoon to finals', '2000–2003', '2004: Second pre-season cup win', '2005–2006', 'County officials', 'Courthouse', 'Education', 'Communities', 'Cities', 'Villages', 'Townships', 'Census-designated places', 'Unincorporated communities', 'Places of interest', 'Notable people', 'See also', 'References'], ['History', 'Military Transport Aircraft Division', 'Products', 'Others', 'References', 'Plot', 'Cast', 'Audit and legal implications', 'Standards and regulations', 'Inclusion in annual reports', 'Notes', 'Management discussion and analysis', 'Move to electronic statements', 'See also', 'References', 'Further reading'], ['Cycle routes', 'Rail', 'Tram', 'Bus', 'Air', 'Notable people', 'Nearest places', 'See also', 'References', 'Citations', 'History', 'Landmarks', 'Notable buildings', 'Transport', 'Education', 'City', 'Census-designated places', 'Unincorporated communities', 'See also', 'References'], ['Education', 'Public schools', 'Private schools', 'Public libraries', 'Communities', 'Cities', 'Census-designated places', 'Other unincorporated places', 'See also', 'References', 'National protected area', 'Demographics', 'Education', 'Public schools', 'Private schools', 'Public libraries', 'Politics', 'Local', 'State', 'Federal', 'Protected areas===', 'Demographics', '2000 census', 'Communities', 'Cities', 'Unincorporated communities', 'Townships', 'See also', 'References'], ['See also', 'References'], []]



['Wikipedia: Virtus (deity)', 'Wikipedia: Bricta', 'Wikipedia: Pulitzer Prize for Music', 'Wikipedia: Straw marquetry', 'Wikipedia: Eisa', 'Wikipedia: Château de Langeais', 'Wikipedia: Alcohol dehydrogenase', 'Wikipedia: New York Minute', 'Wikipedia: Gene Eugene', 'Wikipedia: Axial tilt', 'Wikipedia: Blount County, Tennessee', 'Wikipedia: Bakerloo line', 'Wikipedia: Delaware County, Ohio', 'Wikipedia: Roosevelt County, New Mexico', 'Wikipedia: Iron Lady (disambiguation)', 'Wikipedia: Marc Isambard Brunel', 'Wikipedia: Reynolds County, Missouri', 'Wikipedia: Stevens County, Minnesota']
[['References', 'Function', 'Clinical significance', 'Biliary obstruction', 'Society and culture', 'Bile soap', 'Bile in food', 'Bears as a bile source', 'Principal bile acids', 'Inscriptions', 'Etymology', 'References'], ['History', 'Criticism', 'Coralline algae', 'Sponges', 'Gallery of reef-building corals and their reef-building assistants', "Darwin's paradox", 'Explanations', 'Biodiversity', 'Algae', 'Fish', 'Invertebrates', 'Seabirds', 'See also', 'Photo gallery', 'References', 'EISA', 'Republic of Artsakh', 'Romania', 'Russia', 'Saint Kitts and Nevis', 'Saint Lucia', 'Saint Vincent and the Grenadines', 'Samoa', 'Sao Tome and Principe', 'Saudi Arabia', 'Seychelles', 'See also', 'Notes', 'References', 'History', 'Founding and first concert, 1842', "Beethoven's Ninth and a new home, 1846", 'Competition, 1878', 'Theodore Thomas', 'New management, 1909', 'Mergers and outreach, 1921', 'The Maestro, 1930', 'The War years, 1940', 'Evolution', 'Discovery', 'Properties', 'People', 'Places', 'Sports', 'Other', 'Acting', 'Music', 'Various Production/Recording Credits', 'Influence and tributes', 'References'], ["1987–1988: Wow! and Fahey's departure", '1988–1991: Second line-up, Greatest Hits, Pop Life and world tour', '1992–2001: Duo re-launch, Please Yourself, Ultra Violet and Exotica', '2002–2006: Drama', '2006–2011: Remasters and Viva', '2012–2016: 30 Years of Bananarama and Now or Never', '2017–present: Original line-up tour and In Stereo', 'Awards and nominations', 'Members', 'Discography', 'National protected area', 'Demographics', 'Communities', 'Cities', 'Villages', 'Towns', 'Census-designated places', 'Unincorporated communities', 'Native American community', 'Ghost town/neighborhood', 'Town', 'Villages', 'Magisterial districts', 'Current', 'Historic', 'Census-designated places', 'Unincorporated communities', 'See also', 'References'], ['Arrests and trial', 'Aftermath', 'Notes and references', 'Notes', 'References', 'Sources', 'History', 'Geography', 'Adjacent counties', 'Major highways', 'Demographics', 'Government', 'Board of Supervisors', 'Major highways', 'Adjacent counties', 'Demographics', 'Communities', 'City', 'Unincorporated communities', 'Notable people', 'Politics', 'See also', 'References', 'Demographics', 'Robert Justus Kleberg', 'Communities', 'Cities and towns', 'Census-designated places', 'Unincorporated communities', 'Politics', 'See also', 'References'], ['Geography', 'Major highways', 'Adjacent counties', 'Geology', 'Demographics', 'Educational attainment', 'Education', 'Communities', 'City', 'Unincorporated communities'], ['History', 'Geography', 'Cities', 'Census-designated places', 'Unincorporated communities', 'Politics', 'See also', 'References'], ['Since statehood', 'Geography', 'Adjacent counties', 'Major highways', 'Wildlife management areas', 'Climate', 'Demographics', 'Politics', 'Economy', 'Communities', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'History', 'Watford branch', 'Stanmore branch', '2008: Third pre-season cup win', '2009–2010: Successive grand finals', '2009: Third minor premiership', '2010: Drawn grand final', '2011–present: Decline and rebuilding phase', '2011 season', '2012 season', '2013–2019: Rebuilding under Watters and Richardson', '2019-present: Ratten era', 'Club identity', 'See also', 'References', 'Further reading'], ['History', 'Racial tension', 'Geography', 'Adjacent counties', 'Major highways', 'Demographics', 'Law and government', 'County commission prayer', 'Politics', 'References', 'Geography', 'Adjacent counties', 'Production', 'Reception', 'Awards', 'Soundtrack', 'Prequel and sequels', 'Cancelled television series', 'Musical', 'References'], ['Film and television', 'Music', 'Other uses', 'Bibliography'], ['Early life in France', 'Religious sites', "St Peter's Church", "All Saints' Church", 'Sport', 'Notable people', 'See also', 'References', 'Sources'], ['Geography', 'Major highways', 'Adjacent counties', 'National protected area', 'Politics', 'Demographics', '2000 census'], ['History', 'Geography', 'Missouri Presidential Preference Primary (2016)', 'Missouri Presidential Preference Primary (2008)', 'Communities', 'Cities', 'Villages', 'Census-designated places', 'Other unincorporated communities', 'Townships', 'See also', 'References', 'History', 'Geography', 'Major highways', 'History', 'Geography', 'Adjacent counties', 'National protected area', 'Major highways', 'Demographics', 'Religion', 'Tourism', 'Government', 'Elected officials']]



['Wikipedia: Veritas', 'Wikipedia: Belisama', 'Wikipedia: Nadar', 'Wikipedia: Marquetry', 'Wikipedia: Elli', 'Wikipedia: Chimera (mythology)', 'Wikipedia: David Cassidy: Man Undercover', 'Wikipedia: Derri Daugherty', 'Wikipedia: Dan Wédo', 'Wikipedia: Monroe County, Wisconsin', 'Wikipedia: Boone County, West Virginia', 'Wikipedia: Wichita County, Texas', 'Wikipedia: Kinney County, Texas', 'Wikipedia: Bastrop County, Texas', 'Wikipedia: Georgetown County, South Carolina', 'Wikipedia: Tepeu', 'Wikipedia: Huracan', 'Wikipedia: Reese Witherspoon', 'Wikipedia: Richard Branson', 'Wikipedia: Petts Wood', 'Wikipedia: Audrain County, Missouri']
[['Modern era', 'See also', 'References', 'See also', 'References', 'Bibliography', 'Inscriptions', 'Etymology', 'References', 'Winners', '1940s', '1950s', '1960s', '1970s', '1980s', '1990s', '2000s', '2010s', '2020s', 'Other', 'Ecosystem services', 'Shoreline protection', 'Fisheries', 'Threats', 'Protection', 'Restoration', 'Coral farming', 'Creating substrates', 'Relocation'], ['Materials', 'History', 'Gylfaginning', 'Notes', 'References', 'Slovakia', 'Slovenia', 'Solomon Islands', 'South Africa', 'South Ossetia', 'Spain', 'Sweden', 'Syria', 'Tonga', 'Transnistria', 'History', 'Layout', 'See also', 'References', 'Further reading'], ['The Telegenic Age, 1950', 'Modern music, 1962', 'Ambassadors abroad', 'A third century, 2000', 'Visit to North Korea, 2008', 'Music directors', 'Leonard Bernstein Scholar-in-Residence', 'Composer in residence', 'Honors and awards', 'Archives', 'Oxidation of alcohol', 'Mechanism of action in humans', 'Steps', 'Involved subunits', 'Active site', 'Structural zinc site', 'Types', 'Human', 'Yeast and bacteria', 'Plants', 'See also', 'Discography', 'References'], ['Studio albums', 'Concert tours', 'List of all record labels', 'See also', 'References'], ['Politics', 'See also', 'References', 'Further reading'], ['History', 'Geography', 'Major highways', 'Standards', 'Earth', 'History', 'Seasons', 'Oscillation', 'Short term', 'Long term', 'Constitutional officers', 'Communities', 'Towns', 'Census-designated places', 'Other unincorporated communities', 'Landmarks and attractions', 'See also', 'References'], ['Geography', 'Major highways', 'History', 'Native Americans', 'Early explorations', 'Politics', 'See also', 'References'], ['Geographical features', 'Adjacent counties', 'National protected areas', 'State protected areas', 'Demographics', 'Government', 'Economy', 'Education', 'Transportation', 'Paratransit', 'Geography', 'Adjacent counties', 'National protected area', 'Demographics', '2000 census', '2010 census', 'City', 'Towns', 'Census-designated place', 'Unincorporated communities', 'Ghost towns', 'NRHP sites', 'Notable residents', 'References'], ['References', 'Camberwell extension', 'Electricity supply', 'Centenary', 'Future developments', 'Re-extension to Watford Junction', 'Camberwell proposals', 'Possible extension to Lewisham and Hayes', 'Rolling stock', 'Former rolling stock', 'Current and future infrastructure', 'Uniforms', 'Evolution', 'Logos', 'Club crest as the official logo', 'Club song', 'Home ground', 'Current home grounds', 'Former home grounds', 'Training, administration and entertainment facilities', 'Moorabbin Oval redevelopment', 'History', 'Geography', 'Adjacent counties', 'Lakes and rivers', 'Demographics', '2000 census', '2010 census', 'Politics', 'Education', 'Education', 'Colleges', 'Rowan–Salisbury School System', 'Kannapolis City Schools', 'Private schools', 'Libraries', 'Media', 'Communities', 'Cities', 'Towns', 'National protected area', 'Demographics', '2000 census', '2010 census', 'Government and politics', 'Communities', 'City', 'Town', 'Villages', 'Unincorporated communities', 'Early life', 'Career', '1991–2000: Career beginnings and breakthrough', '2001–2006: International recognition', 'People with the nickname', 'See also', 'Early life', 'United States', 'Britain', "Debtor's prison", 'Thames Tunnel', 'Problems', 'Later developments', 'Subsequent life', 'References', 'Citations', 'Further reading', 'History', 'The woods', 'Transport', 'Rail', '2010 census', 'Communities', 'Towns', 'Census-designated places', 'Unincorporated communities', 'Former communities', 'See also', 'References', 'Adjacent counties', 'Major highways', 'National protected area', 'Geographical features', 'Demographics', 'Religion', 'Politics', 'Local', 'State', 'Federal'], ['History', 'Geography', 'Adjacent counties', 'Protected areas===', 'Demographics', '2000 census', 'Communities', 'Cities', 'Townships', 'Government and politics', 'See also', 'References', 'Education', 'Communities', 'City', 'Villages', 'Unincorporated communities', 'Townships', 'See also', 'References', 'Notes', 'Sources']]



['Wikipedia: Volturnus', 'Wikipedia: Brigid', 'Wikipedia: The Sweet Hereafter (novel)', 'Wikipedia: Caress, West Virginia', 'Wikipedia: Haute-Marne', 'Wikipedia: Elle', 'Wikipedia: Gleipnir', 'Wikipedia: SPECTRE', 'Wikipedia: Gong', 'Wikipedia: Cipactli', 'Wikipedia: Robert M. Gagné', 'Wikipedia: Swans (band)', 'Wikipedia: Climbing protection', 'Wikipedia: Pottawatomie County, Oklahoma', 'Wikipedia: Tzacol', 'Wikipedia: Rio Arriba County, New Mexico', 'Wikipedia: Sogdia', 'Wikipedia: Pinner', 'Wikipedia: Meagher County, Montana', 'Wikipedia: Steele County, Minnesota', 'Wikipedia: Oakland County, Michigan']
[['Mottos', 'See also', 'Notes'], ['References', 'See also'], ['Life', 'Works', 'Gallery', 'See also', 'References'], ['Additional citations', 'Repeat winners', 'References', 'Further reading'], ['Heat-tolerant symbionts', 'Invasive algae', 'Invasive algae in Caribbean reefs', 'Microfragmentation and fusion', 'History', 'See also', 'References', 'Further references'], ['New techniques', 'See also', 'References'], ['See also', 'Trinidad and Tobago', 'United Kingdom', 'United States', 'United States Virgin Islands', 'Uruguay', 'Vanuatu', 'See also', 'Description', 'Similar creatures', 'Classical sources', 'Hypothesis about origin', 'Use for Chinese mythological creatures', 'In popular culture', 'See also', 'See also', 'References'], ['Iron-containing', 'Other types', 'Applications', 'Clinical significance', 'Alcoholism', 'Drug dependence', 'Poisoning', 'See also', 'References'], ['Synopsis', 'Episodes'], ['See also', 'References', 'References', 'Geography', 'United States Army posts', 'Adjacent counties', 'Demographics', 'Transportation', 'Major highways', 'Airports', 'Communities', 'Adjacent counties', 'Demographics', '2010 census', '2000 census', 'Politics', 'Education', 'Madison', 'Van', 'Seth', 'Communities', 'Solar System bodies', 'Extrasolar planets', 'See also', 'References'], ['Types of climbing', 'Lead climbing', 'Aid climbing', 'Top roping', 'Soloing', 'Adjacent counties', 'Geology', 'Demographics', 'Government and infrastructure', 'Politics', 'Presidential elections', 'Communities', 'Cities', 'Town', 'Unincorporated communities', 'County established', 'Black Seminoles', 'County organization and growth', 'Geography', 'Major highways', 'Adjacent counties and municipios', 'Demographics', 'Communities', 'Cities', 'Census-designated place', 'Boundary changes', 'Geography', 'Adjacent counties', 'Demographics', 'Historical research', 'Education', 'Transportation', 'Major highways', 'Recreational facilities', 'Airports', 'Highways', 'Parks', 'Communities', 'Cities', 'Towns', 'Census-designated places', 'Unincorporated communities', 'Former communities', 'See also', 'Communities', 'City', 'Towns', 'Census-designated place', 'Unincorporated communities', 'Politics', 'See also', 'References'], ['History', 'Geography', 'Adjacent counties', 'Demographics', 'See also', 'Notes', 'References', 'Map', 'Services', 'Stations', 'Former stations', 'Depots', 'See also', 'Maps', 'References'], ['Players', 'Current squad', 'Team of the century (1900–1999)', "Women's teams", 'Season summaries', 'Coaches', 'Club officials', 'Corporate management', 'Team management', 'Honours', 'Transportation', 'Major Highways', 'Airports', 'Media', 'Points of interest', 'Communities', 'Cities', 'Villages', 'Census-designated places', 'Townships', 'Census-designated place', 'Unincorporated communities', 'Townships', 'Notable people', 'See also', 'References', 'Further reading'], ['See also', 'References'], ['2007–2012: Career slump, and romantic comedies', '2013–2016: Resurgence and professional expansion', '2017–present: Transition to television', 'Upcoming projects', 'Other ventures', 'Business and philanthropy', 'Other work', 'Personal life', 'In the media', 'Filmography and accolades', 'Early business career', 'Virgin', '1972–1980: Founding of Virgin Records', '1981–1987: Package holiday industries and Virgin Atlantic Airways success', '1988–2000: Telecoms ventures and worldwide impact', '2001–2007: Entry into space travel and Virgin Media', '2008–2019: Hotels, healthcare and charitable influence', '2020–present: Coronavirus pandemic difficulties', 'Failed business ventures', 'World record attempts'], ['Name', 'History', 'Buses', 'Notable people', 'Sports and recreation facilities', 'Gallery', 'References', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'National protected areas', 'Political culture', 'Missouri presidential preference primary (2008)', 'Education', 'Public schools', 'Public libraries', 'Communities', 'Cities', 'Unincorporated communities', 'See also', 'References', 'Adjacent counties', 'Major highways', 'Demographics', 'Government and infrastructure', 'Audrain County E-911 Joint Communications', 'Emergency medical services', 'Fire services', 'Law enforcement', 'Prison', 'Education'], ['History', 'Geography'], ['History', 'Geography']]



['Wikipedia: International Earth Rotation and Reference Systems Service', 'Wikipedia: Centralia, West Virginia', 'Wikipedia: Marilyn Bell', 'Wikipedia: Flint, Michigan', "Wikipedia: Ferris Bueller's Day Off", 'Wikipedia: Baccarat', 'Wikipedia: Oxo', 'Wikipedia: Citlalatonac', 'Wikipedia: Wheeler County, Texas', 'Wikipedia: King County, Texas', 'Wikipedia: Bledsoe County, Tennessee', 'Wikipedia: Florence County, South Carolina', 'Wikipedia: Circle line (London Underground)', 'Wikipedia: Defiance County, Ohio', 'Wikipedia: Rockingham County, North Carolina', 'Wikipedia: Friedrich Wilhelm von Steuben', 'Wikipedia: Ray County, Missouri']
[['Culture', 'History', 'Appearance', 'Family', 'Honours', 'References', 'Familial relations', 'Overview', 'Brigid and Saint Brigid', 'Festivals', 'Neo-Pagan revival', 'Other names and etymology', 'See also', 'Notes', 'References', 'Further reading', 'Plot', 'Factual basis', 'References', 'History', 'References', 'Personal life', 'Swimming career', '1954 Lake Ontario swim', 'Other swims', 'History', 'Geography', 'Demographics', 'Tourism', 'Politics', 'Current National Assembly Representatives', 'See also', 'References'], ['Notes', 'References', 'Plot', 'Cast', 'Production', 'Writing', 'Casting', 'Filming', 'Notes', 'References'], ['Philosophy and goals', 'Leadership', 'Appearances', 'Novels', 'Films', 'Non-EON film appearances', 'Video games', 'Comics', 'Copyright issues', 'SPECTRE henchmen', 'Computing', 'Business', 'Chemistry', 'Types', 'Traditional suspended gongs', 'Chau gong (Tam-tam)', 'Use of gongs in symphony orchestras', 'Nipple gong', 'Opera gongs', 'Pasi gongs', 'Tiger gong', 'Shueng Kwong', 'All articles lacking sources', 'All stub articles', 'Articles lacking sources from December 2009', 'Aztec gods', 'Biography', 'Personal life', 'Learning process', 'Eight ways to learn', 'Steps of planning instruction', 'Nine Events of Instruction', 'Evaluation of instruction', 'Awards', 'References', 'Cities', 'Villages', 'Towns', 'Census-designated places', 'Unincorporated communities', 'Politics', 'See also', 'References', 'Further reading'], ['City', 'Towns', 'Magisterial districts', 'Census-designated places', 'Unincorporated communities', 'Notable residents', 'See also', 'References'], ['History', 'Early years (1982–1985)', 'Initial influences', 'Early style', 'Live shows', 'Stylistic shift (1986–1988)', 'Later years (1988–1997)', 'Demise', 'Bouldering', 'Equipment', 'Standards', 'CEN', 'UIAA', 'References'], ['See also', 'References'], ['Politics', 'See also', 'Notes', 'References'], ['Communities', 'Cities', 'Census-designated places', 'Unincorporated communities', 'In popular culture', 'Politics', 'See also', 'References'], ['References', 'Further reading'], ['History', 'Geography', 'Adjacent counties', 'Major highways', 'Government and infrastructure', 'Politics', 'Transportation', 'Major highways', 'Airport', 'Communities', 'Cities', 'Towns', 'Census-designated place', 'Other unincorporated communities', 'All articles lacking sources', 'All stub articles', 'Articles lacking sources from December 2009', 'Creator gods', 'Maya gods', 'Mesoamerican mythology stubs', 'Sky and weather gods', 'History', 'Origins', 'Other circle routes', 'Electrification', 'Club', 'Individual', 'Trevor Barker Award', 'Brownlow Medal', 'Michael Tuck Medal', 'Leigh Matthews Trophy', 'Coleman Medal', 'AFL Rising Star award', 'Norm Smith Medal', 'Australian Football Hall of Fame', 'Unincorporated communities', 'Notable residents', 'See also', 'References', 'Further reading'], ['History', 'Settling and founding', 'Development of industry', 'Geography', 'Adjacent counties', 'History', 'Geography', 'Adjacent counties', 'National protected areas', 'Demographics', '2000 census', '2010 census', 'Politics', 'Scandals', 'Sheriff Thomas "Tommy" R. Rodella', 'Bibliography', 'References'], ['Television, film and print', 'Humanitarian initiatives', 'Climate change pledge', 'Politics', 'Honours and awards', 'Controversies', 'Tax evasion', 'Promotion of SeaWorld', 'Assault claim', 'Personal life', 'Prehistory', 'Achaemenid period', 'Hellenistic period', 'Central Asia and the Silk Road', 'Trade and diplomacy with the Byzantine Empire', 'Sogdian merchants, generals, and statesmen of Imperial China', 'Arab Muslim conquest of Central Asia', 'Language and culture', 'Art', 'Language', 'History', 'Governance', 'Demography', 'Parish Church', 'Transport', 'Rail', 'Buses', 'Neighbouring communities', 'Politics', 'Demographics', '2000 census', '2010 census', 'Communities', 'City', 'Census-designated place', 'Unincorporated communities', 'Individual residences (identified on aerial map)', 'See also'], ['Geography', 'Adjacent counties', 'Public schools', 'Private schools', 'Public libraries', 'Politics', 'Local', 'State', 'Federal', 'Missouri Presidential Preference Primary (2008)', 'Communities', 'Cities', 'Major highways', 'Airports===', 'Adjacent counties', 'Protected areas===', 'Lakes===', 'Demographics', '2000 census', 'Communities', 'Cities', 'Unincorporated communities', 'Adjacent counties', 'Demographics', 'Government', 'Elected officials', 'Road Commission', 'Oakland County Service Center', 'Politics', 'Transportation', 'Air', 'Major highways']]



['Wikipedia: Etruscan religion', 'Wikipedia: Brigantia', 'Wikipedia: Furry fandom', 'Wikipedia: Act Without Words I', 'Wikipedia: Harrier (bird)', 'Wikipedia: Keto', 'Wikipedia: Citlālicue', 'Wikipedia: Husum', 'Wikipedia: Milwaukee County, Wisconsin', 'Wikipedia: Berkeley County, West Virginia', 'Wikipedia: King George County, Virginia', 'Wikipedia: Bandera County, Texas', 'Wikipedia: Pontotoc County, Oklahoma', 'Wikipedia: Kan', 'Wikipedia: Showgirls', 'Wikipedia: McCone County, Montana', 'Wikipedia: Atchison County, Missouri', 'Wikipedia: Stearns County, Minnesota']
[['History', 'Greek influence', 'Roman conquest', 'Sources', 'Seers and divinations'], ['See also', 'History', 'Function', 'Earth orientation products', 'See also', 'References'], ['Notes', 'History', 'Awards and recognition', 'References', 'Further reading'], ['Etymology', 'Species', 'Notes', 'History', '19th century: lumber and the beginnings of the automobile industry', 'Early and mid-20th century: the auto industry takes shape', 'Late 20th century: deindustrialization and demographic changes', '21st century', 'First financial emergency: 2002–2004', 'Redevelopment', 'Second financial emergency: 2011–2015', 'Car', 'Economic lecture', 'Parade scene', 'Wrigley Field', 'Save Ferris', 'Deleted scenes', 'Music', 'Limited edition fan club soundtrack', 'Songs in the film', '2016 soundtrack', 'Geography', 'History', 'Heraldry', 'Administration', 'Twinning', 'Population', 'Economy', 'Culture and heritage', 'Civil heritage', 'Religious heritage', 'Operatives', 'By hierarchy', 'Non-EON', 'Rebooted continuity', 'Members and acquaintances', 'Acronym in the rest of world', 'Parodies and clones', 'See also', 'References'], ['Music', 'Sports', 'Other uses', 'See also', 'Wind gong', 'Sculptural gongs', 'Other uses', 'Gong manufacturers', 'Materials and size', 'Orchestral usage', 'Signal gongs', 'Shipping', 'Railcar mounted', 'Vehicle mounted', 'Aztec mythology and religion', 'Mesoamerican mythology and religion', 'Mesoamerican mythology stubs', 'Stellar gods', 'Further reading'], ['History', 'History', 'Geography', 'Adjacent counties', 'History', 'The first settlers', '17th-century European explorers', 'The 18th century', 'Post-breakup and re-formation (1997–present)', '2018 hiatus and new, dynamic line-ups', 'Musical style and legacy', 'Members', 'Current', 'Touring members', 'Former', 'Timeline', 'Discography', 'Notes', 'History', 'Geography', 'National protected area', 'Major Highways', 'Demographics', 'Government', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Politics', 'Communities', 'Cities', 'Unincorporated communities', 'See also', 'History', 'Native Americans', 'County established', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Politics', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'History', 'Geography', 'Adjacent counties', 'State protected areas', 'Demographics', 'Recreation', 'Prisons', 'Communities', 'City', 'Unincorporated Communities', 'Demographics', '2000 census', '2010 census', 'Communities', 'Cities', 'Town', 'Unincorporated communities', 'Politics', 'See also', 'References', 'NRHP Sites', 'References'], ['Places', 'People', 'Music', 'London Transport', 'Extension', 'Route', 'Map', 'Railway line', 'Services', 'Rolling stock', 'Depot', 'Upgrade programme', 'List of stations', "St Kilda Football Club's Hall of Fame", 'Records and statistics', 'Membership and attendance', 'Reserves team', 'See also', 'References'], ['Geography', 'Adjacent counties', 'Demographics', '2000 census', '2010 census', 'Politics', 'Communities', 'Demographics', 'Law and government', 'Transportation', 'Airports', 'Major highways', 'Attractions', 'Education', 'Communities', 'Cities', 'Towns', 'Sheriff James Lujan', 'Former Española City Councilman Phillip Chacon', 'Española City Councilman John Ramon Vigil', 'Education', 'School districts', 'Colleges', 'Points of interest', 'Communities', 'City', 'Town', 'Early life and education', 'First military service', 'Service in Hohenzollern-Hechingen', 'American Revolution', 'Inspector General', 'Training program', 'Southern campaign', 'Final years', 'Personal life and death', 'Legacy', 'Influences', 'Bibliography', 'Notes', 'References'], ['Clothing', 'Religious beliefs', 'Commerce and slave trade', 'Modern historiography', 'Notable Sogdians', 'Diaspora areas', 'See also', 'References', 'Citations', 'Sources', 'In popular culture', 'Literature', 'Sport and leisure', 'Notable people', 'See also', 'Notes', 'References'], ['References', 'Geography', 'Major highways', 'Major highways', 'National protected area', 'Demographics', 'Education', 'Public schools', 'Public libraries', 'Politics', 'Local', 'State', 'Federal', 'Villages', 'Unincorporated communities', 'Townships', 'See also', 'References'], ['Ghost town', 'Townships', 'Politics', 'See also', 'References'], ['Rail', 'Mile roads', 'Bicycling', 'Education', 'Higher education', 'Sports', 'Communities', 'Cities', 'Villages', 'Charter townships']]



['Wikipedia: Bride', 'Wikipedia: Wilhelm Maybach', 'Wikipedia: Ninjutsu', 'Wikipedia: Accipitridae', 'Wikipedia: Agrippa Postumus', 'Wikipedia: Quilt', 'Wikipedia: Cihuateteo', 'Wikipedia: KRS', 'Wikipedia: Wharton County, Texas', 'Wikipedia: Kimble County, Texas', 'Wikipedia: Benton County, Tennessee', 'Wikipedia: Fairfield County, South Carolina', 'Wikipedia: Ix', 'Wikipedia: Sverdrup', 'Wikipedia: Johann Olav Koss', 'Wikipedia: Robeson County, North Carolina', 'Wikipedia: Sun Electric (band)', 'Wikipedia: Cudham', 'Wikipedia: Long Beach, California']
[['Etrusca Disciplina', 'Priests and officials', 'Beliefs', 'Spirits and deities', 'Afterlife', 'See also', 'Notes', 'References'], ['Etymology', 'Attire', 'History', 'Religion', 'Early life and career beginnings (1846 to 1869)', "Daimler and Otto's four-stroke engine (1869 to 1880)", 'Daimler Motors: fast and small engines (1882)', 'The Daimler Engine', 'Inspiration', 'Activities', 'Crafts', 'Role-playing', 'Conventions', 'Websites and online communities', 'Furry lifestyle', 'Sexual aspects', 'Public perception and media coverage', 'Sociological aspects', 'Synopsis', 'Interpretation', 'Beckett on Film', 'References'], [], ['Systematics', 'Morphology', 'Water state of emergency', 'Geography', 'Neighborhoods', 'Climate', 'Demographics', 'Sports', 'American football', 'Basketball', 'Ice hockey', 'Other sports', 'Reception', 'Critical response', 'Accolades', 'Box office', 'Rankings', 'Cultural impact', 'Sequel', 'Academic analysis', 'Home media and other releases', 'Television series', 'Military Life', 'Festivals', 'Notable people linked to the commune', 'See also', 'References', 'Citations', 'Bibliography'], ['Name', 'Early life and family', 'Adoption', 'See also', 'Uses', 'Rail crossing', 'Boxing (sport)', 'Theater', 'Time signal', 'List of gongs', 'See also', 'Notes', 'References', 'Further reading'], ['References', 'Mythology', 'Geography', 'Subdivisions', 'Culture', 'Festival Raritäten der Klaviermusik', 'Museums', 'Sights', 'Clubs', 'Twinning', 'Infrastructure', 'Education', 'Climate', 'Demographics', 'Birth related statistics', '2010 census', '2000 census', 'Religious statistics', 'Government', 'Politics', 'Transportation', 'Airports', 'The 19th century', 'Joining West Virginia', 'Geography', 'Mountains and hills', 'Rivers and streams', 'Agricultural land and conservation easements', 'Major highways', 'Adjacent counties', 'Demographics', '2000 census', 'References', 'Further reading'], ['Board of Supervisors', 'Constitutional officers', 'Festivals', 'Communities', 'Census-designated places', 'Other unincorporated communities', 'Notable residents', 'See also', 'References'], ['References'], ['Geography', 'Economy', 'Communities', 'Gallery', 'See also', 'References'], ['Demographics', 'Education', 'Communities', 'City', 'Census-designated places', 'Unincorporated communities', 'Politics', 'See also', 'References'], ['Politics', 'See also', 'References'], [], ['History', '18th century', 'History', 'Geography', 'Adjacent counties', 'Demographics', 'Politics', 'Economy', 'Communities', 'City', 'Towns', 'Census-designated place', 'In science and technology', 'Weights and measures', 'Other uses', 'See also', 'Urban myths', 'See also', 'Notes and references', 'Notes', 'References', 'Bibliography', 'Further reading'], ['Examples', 'References', 'City', 'Villages', 'Townships', 'Unincorporated communities', 'In popular culture', 'See also', 'References'], ['Townships', 'Census-designated place', 'Unincorporated communities', 'See also', 'References'], ['Village', 'Census-designated places', 'Other communities', 'Ghost towns', 'See also', 'References', 'Further reading'], ['See also', 'References', 'Sources', 'Further reading'], ['Plot', 'Cast', 'Production', 'Reception', 'Awards', 'Cult status', 'Critical re-evaluation', 'Home media'], ['History', 'Transport', 'History', 'Origins', 'Post Incorporation', 'Geography', 'Neighborhoods', 'Adjacent counties', 'National protected area', 'Demographics', '2000 census', '2010 census', 'Communities', 'Town', 'Unincorporated communities', 'Politics', 'See also', 'Communities', 'Cities', 'Villages', 'Census-designated place', 'Other unincorporated communities', 'Townships', 'Notable people', 'See also', 'References'], ['Geography', 'Adjacent counties', 'Major highways', 'Demographics', 'Education', 'Public Schools', 'Private Schools', 'History', 'Geography', 'Major highways', 'Airports===', 'Adjacent counties', 'Protected areas===', 'Demographics', 'Civil townships', 'Unincorporated communities', 'Lakes', 'Rivers', 'Notes', 'See also', 'References', 'Further reading'], []]



['Wikipedia: Aita', 'Wikipedia: Bridget (disambiguation)', 'Wikipedia: Tell (poker)', 'Wikipedia: Magyar', 'Wikipedia: Spanish Revolution of 1936', 'Wikipedia: Amon Tobin', 'Wikipedia: Huehueteotl', 'Wikipedia: Valles Marineris', 'Wikipedia: King and Queen County, Virginia', 'Wikipedia: Bailey County, Texas', 'Wikipedia: Pittsburg County, Oklahoma', 'Wikipedia: Itzamna', 'Wikipedia: Sayonara', 'Wikipedia: Darke County, Ohio', 'Wikipedia: Quay County, New Mexico', 'Wikipedia: San Lorenzo, Puerto Rico', 'Wikipedia: Dalston', 'Wikipedia: Gentoo Linux', 'Wikipedia: Randolph County, Missouri', 'Wikipedia: Newaygo County, Michigan']
[['Images', 'References', 'Christianity', 'Examples of bridal garments', 'References', 'The Grandfather Clock engine (1885)', 'First Daimler-Maybach automobile built (1889)', 'Daimler\'s "pact with the devil", DMG, and the Phoenix engine (1890 to 1900)', 'Daimler-Mercedes engine of 1900', 'Zeppelin engines (1908)', 'Maybach automobiles (1922-1945)', 'Maybach Motorenbau GmbH', 'Legacy', 'See also', 'Notes', 'See also', 'Topics', 'Persons', 'Documentaries', 'References', 'Further reading'], ['History', 'See also', 'References', 'Further reading'], ['Diet and behavior', 'Reproductive biology and populations', 'Genera', 'Fossil record', 'Footnotes', 'See also', 'References'], ['Former sports teams', 'Government', 'Law enforcement', 'Politics', 'Education', 'Colleges and universities', 'Primary and secondary schools', 'Libraries', 'Media', 'Print', 'References'], ['Examples', 'See also', 'Exile', 'Death of Augustus', 'Accession of Tiberius', 'Execution', 'Post mortem', 'Historiography', 'In fiction', 'Ancestry', 'Notes', 'References', 'Traditions', 'Techniques', 'Patchwork & Piecing', 'Appliqué', 'Reverse appliqué', 'Quilting', 'Trapunto', 'Embellishment', 'English paper piecing', 'Foundation piecing', 'Biography', 'Early career (1995–1997)', 'Bricolage, Permutation and Supermodified (1997–2002)', 'Funerary practices', 'Depictions in art', 'See also', 'References', 'Grammar schools', 'High schools', 'Elementary schools', 'Notable residents', 'References', 'Sources'], ['Major highways', 'Communities', 'Cities', 'Villages', 'Former towns/neighborhoods', 'See also', 'References'], ['2010 census', 'Government and public safety', 'County government', 'Berkeley County Sheriff', 'Politics', 'Communities', 'City', 'Town', 'Census-designated places', 'Unincorporated communities', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'History', 'Geography', 'Adjacent Counties', 'Adjacent counties', 'Demographics', 'Legacy of slavery', 'Transportation', 'Airports', 'Major highways', 'Politics', 'Communities', 'Cities', 'Census-designated places', 'History', 'Early years', 'Settlement and formation', 'County organization', 'Growth era', 'Modern times', 'Geography', 'Geography', 'Major highways', 'Adjacent counties', 'History', 'Geography', 'Adjacent counties', 'National protected area', 'State protected areas', 'Demographics', 'Media', 'Radio stations', 'Newspapers', '19th century', '20th century', 'Geography', 'Demographics', '2000 census', '2010 census', 'Attractions', 'Politics', 'Communities', 'Towns', 'Other unincorporated places', 'NRHP sites', 'See also', 'References', 'Arts and entertainment', 'Music', 'Literature', 'Other media', 'Other uses', 'Plot', 'Cast', 'Production', 'Critical reception', 'Legacy', 'Biography', 'Medals', 'Records', 'World records', 'Personal records', 'See also', 'References', 'Geography', 'Adjacent counties', 'Demographics', '2000 census', '2010 census', 'History', 'Colonial era', 'Nineteenth century', 'Civil War', 'Twentieth century', 'Geography', 'Major highways', 'Geography', 'Adjacent counties', 'Demographics', '2000 census', '2010 census', 'References'], ['Legacy', 'Sequel', 'Musical adaptation', 'See also', 'References', 'Bibliography'], ['Events', 'Local politics', 'References'], ['Climate', 'Environment', 'Pollution', 'Ecology', 'Demographics', '2010', '2000', 'Economy', 'Top employers', 'Retail', 'References'], ['History', 'History', 'Geography', 'Adjacent counties', 'Public Libraries', 'Politics', 'Local', 'State', 'Federal', 'Communities', 'Cities', 'Village', 'Census-designated places', 'Unincorporated community', '2000 census', 'Communities', 'Cities', 'Census-designated place', 'Unincorporated communities', 'Townships', 'Politics and government', 'See also', 'References', 'Further reading', 'Geography', 'Rivers', 'Major highways', 'Adjacent counties']]



['Wikipedia: Aplu', 'Wikipedia: Winding number', 'Wikipedia: Military science', 'Wikipedia: Centralia', 'Wikipedia: Wil Wheaton', 'Wikipedia: Parliament Hill', 'Wikipedia: Chatham University', 'Wikipedia: Eugenio Tavolara', 'Wikipedia: Xiuhtecuhtli', 'Wikipedia: Alberto Mercado', 'Wikipedia: Menominee County, Wisconsin', 'Wikipedia: Webb County, Texas', 'Wikipedia: Edgefield County, South Carolina', 'Wikipedia: IBM 1710', 'Wikipedia: Ron Barassi', 'Wikipedia: Delia Bacon', 'Wikipedia: Andrew County, Missouri', 'Wikipedia: Sibley County, Minnesota']
[['All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'See also', 'Intuitive description', 'Formal definition'], ['Bibliography', 'History', 'Canada', 'United States', 'See also', 'Early life', 'Career', 'Early work', 'Star Trek', 'Post-Star Trek', 'History', 'Early', 'Selection as a parliamentary precinct', 'Development into a national heart', 'Fire, rebuilding, and beyond', 'Television', 'TV stations', 'Radio', 'AM stations', 'FM stations', 'Infrastructure', 'Bus lines', 'Major highways', 'Railroads', 'Airports', 'Online tells', 'Reliability', 'See also', 'Notes', 'References'], ['Overview', "Orwell's account", 'Social revolution', 'Environmentalism', 'Criticisms', 'See also', 'References', 'Sources', 'Primary sources', 'Secondary sources', 'Quilting styles', 'North America', 'Amish', 'Baltimore album', 'Crazy quilts', 'African-American', 'Pictorial quilts', 'Hawaiian', 'Native American star quilts', 'Seminole', 'Out From Out Where and Foley Room (2002-2008)', 'ISAM and Two Fingers (2009–2011)', 'Stunt Rhythms and Dark Jovian (2012–2018)', 'Fear in a Handful of Dust (2019–present)', 'Film work and soundtracks', 'Musical style and influences', 'Live performances', 'Discography', 'as Cujo', 'as Two Fingers', 'Worship', 'References'], ['Amateur boxing career', '1980 Olympic results', 'Professional career', 'Later life', 'See also', 'References', 'History', 'Geography', 'Adjacent counties', 'Major highways', 'Demographics', 'Magisterial districts', 'Notable people', 'See also', 'Footnotes', 'References', 'Sources'], ['Formation', 'Regions of Valles Marineris', 'Noctis Labyrinthus', 'Ius and Tithonium chasmata', 'Melas, Candor and Ophir chasmata', 'Coprates Chasma', 'Eos and Ganges chasmata', 'Chryse region', 'Major Highways', 'Demographics', 'Government', 'Board of Supervisors', 'Constitutional officers', 'Communities', 'See also', 'References', 'Unincorporated communities', 'Ghost towns', 'See also', 'References'], ['Major highways', 'Adjacent counties', 'Demographics', 'Education', 'Communities', 'City', 'Unincorporated community', 'Ghost towns', 'Politics', 'See also', 'National protected areas', 'Demographics', 'Education', 'Communities', 'City', 'Unincorporated communities', 'Ghost town', 'Politics', 'See also', 'References', 'Communities', 'City', 'Town', 'Census-designated place', 'Unincorporated communities', 'Politics', 'See also', 'References'], ['Census-designated place', 'Unincorporated communities', 'References'], ['History', 'Geography', 'Adjacent counties', 'Demographics', 'Politics', 'Economy', 'Communities', 'Cities', 'Towns', 'Name', 'Early colonial reports', 'Pre-colonial era', 'High priest and ruler', 'Crust of the Earth: Caiman', 'Father of Bacab', 'Aged tonsured maize god', 'Awards and nominations', 'See also', 'Notes', 'References', 'Bibliography'], ['Other sources'], ['Early life', 'Politics', 'Government', 'Education', 'Public school districts', 'Communities', 'City', 'Villages', 'Townships', 'Other communities', 'Historic places', 'Adjacent counties', 'Demographics', 'Native Americans', 'Households', 'Law and government', 'Communities', 'City', 'Towns', 'Townships', 'Census-designated places', 'Communities', 'City', 'Villages', 'Census-designated place', 'Other communities', 'Politics', 'See also', 'References', 'History', 'Hurricane Maria', 'Geography', 'Rivers', 'Barrios', 'Sectors', 'Special Communities', 'Demographics', 'Tourism', 'Biography', 'Shakespeare authorship theory', "Bacon's legacy", 'Notes', 'Further reading'], ['Bounds', 'History', 'Notable buildings', 'Festivals', 'Arts and entertainment', 'Shopping', 'Area profile', 'Transport', 'Rail', 'Culture', 'Art', 'Music', 'Theater', 'Cultural events', 'Sites of interest', 'Sports', 'Grand Prix of Long Beach', 'Long Beach Marathon', 'Baseball', 'Features', 'Portage', 'Portability', 'Installation', 'Stages', 'Gentoo Reference Platform', 'Genkernel', 'Genkernel modes', 'Versions', 'Release media version history', 'Major highways', 'Demographics', 'Education', 'Public schools', 'Private schools', 'Post-secondary', 'Public libraries', 'Politics', 'Local', 'State', 'Townships', 'Notable people', 'See also', 'References'], [], ['History', 'Geography', 'National protected area', 'Demographics', 'Religion', 'Economy', 'Notable companies', 'Government', 'Elected officials', 'Festivals and events', 'Historic sites', 'Communities']]



['Wikipedia: Artume', 'Wikipedia: Canfield', 'Wikipedia: David Thompson', 'Wikipedia: Blood transfusion', 'Wikipedia: Kitchener, Ontario', 'Wikipedia: Throat', 'Wikipedia: Yakima County, Washington', 'Wikipedia: Henry Grace à Dieu', 'Wikipedia: James City County, Virginia', 'Wikipedia: Kerr County, Texas', 'Wikipedia: Austin County, Texas', 'Wikipedia: Bedford County, Tennessee', 'Wikipedia: Payne County, Oklahoma', 'Wikipedia: Bacab', 'Wikipedia: District line', 'Wikipedia: Diné Bahaneʼ', 'Wikipedia: Richmond County, North Carolina', 'Wikipedia: Otero County, New Mexico', 'Wikipedia: Quetta']
[['Artume in popular culture', 'References', 'Alternative definitions', 'Alexander numbering', 'Differential geometry', 'Complex analysis', 'Topology', 'Polygons', 'Turning number', 'Winding number and Heisenberg ferromagnet equations', 'See also', 'References', 'Employment of military skills', 'Military organization', 'Force structuring', 'Military education and training', 'Military concepts and methods', 'Military history', 'Military strategy and doctrines', 'Military geography', 'Military systems', 'Military intelligence', 'Card games', 'Places', 'United States', 'Elsewhere', 'People', 'Other uses', 'Voice work', 'Television and web', 'Hosting', 'Other ventures', 'Games', 'Comic book', 'Audiobooks', 'Live shows', 'Writing', 'Politics', 'Grounds and name', 'Parliament Buildings', 'Statues and monuments', 'See also', 'References', 'Further reading'], ['Healthcare', 'Sister cities', 'Books', 'Music', 'Film and television', 'Notable people', 'See also', 'References', 'Further reading'], ['History', 'Campuses', 'Academics', 'Accreditation', 'Outreach centers', 'International collaborations', 'Athletics', 'Citations', 'Bibliography', 'Film'], ['References', 'Medical uses', 'Red cell transfusion', 'Europe', 'British quilts', 'Italian quilts', 'Provençal quilts', 'Asia', 'China', 'Japan: Sashiko', 'Bangladeshi quilts', 'Sindhi Ralli quilts', 'Africa, Oceania and South America', 'as Only Child Tyrant', 'Notes'], ['Attributes', 'Annual festival', 'New Fire Ceremony', 'In popular culture', 'See also', 'Notes', 'References', 'Jugulum', 'References', 'See also', 'Politics', 'Communities', 'Town', 'Census-designated places', 'Ghost town/neighborhood', 'See also', 'References'], ['History', 'Geography', 'Geographic features', 'Major rivers', 'National protected areas', 'Major roads', 'Interactive Mars map', 'See also', 'Notes', 'References'], ['History', '17th and 18th centuries', 'Proprietary colony', "Wolstenholme Towne, Carter's Grove Plantation", 'Royal colony, creation of shires (counties)', 'History', 'Geography', 'Major highways', 'Adjacent counties and municipalities', 'Demographics', '2015 Texas Population Estimate Program', '2000 Census', 'Government', 'References'], ['History'], ['Geography', 'Adjacent counties', 'History', 'Geography', 'Adjacent counties', 'State protected areas', 'History', 'Geography', 'Adjacent counties', 'National protected area', 'Demographics', '2000 census', '2010 census', 'Government', 'Politics', 'Census-designated places', 'Other unincorporated places', 'NRHP sites', 'References', 'Principal Bird Deity', 'Human representatives', 'References', 'Bibliography', 'References', 'See also'], ['Australian rules football career', 'Father–son rule', 'Melbourne years', 'Carlton years', 'North Melbourne years', 'Return to Melbourne', 'Sydney years', 'Statistics', 'Playing statistics', 'Coaching statistics', 'Notable residents', 'See also', 'Footnotes', 'Further reading'], ['Unincorporated communities', 'Education', 'Notable people', 'See also', 'Sources'], ['History', 'Geography', 'Adjacent counties', 'National protected areas', 'Demographics', 'Landmarks and places of interest', 'Economy', 'Culture', 'Festivals and events', 'Sports', 'Government', 'Transportation', 'Symbols', 'Flag', 'Coat of arms', 'Etymology', 'History', 'Geography', 'Buses', 'Road', 'Air Pollution', 'Cycling', 'Cultural references', 'Notable people', 'References'], ['Basketball', 'Sailing', 'Water skiing', 'Surfing', 'Rugby union', 'College sports', 'Archery', '2028 Summer Olympics', 'Government', 'Municipal', 'Special releases', 'Profiles', 'Practical jokes', 'Incidents', 'Logo and mascots', 'Derived distributions', 'See also', 'References'], ['Federal', 'Communities', 'Cities', 'Villages', 'Unincorporated communities', 'See also', 'References'], ['History', 'Geography', 'Adjacent counties', 'Major highways', 'Demographics', 'Education', 'Public schools', 'Public libraries', 'Major highways', 'Adjacent counties', 'Lakes===', 'Protected areas===', 'Demographics', '2000 census', 'Communities', 'Cities', 'Unincorporated communities', 'Townships', 'Cities', 'Villages', 'Unincorporated communities', 'Townships', 'See also', 'References'], []]



['Wikipedia: Cath', 'Wikipedia: Tuireann', 'Wikipedia: Greenhouse', 'Wikipedia: Cargo cult', 'Wikipedia: Fólkvangr', 'Wikipedia: Gullveig', 'Wikipedia: Doodle', 'Wikipedia: Manifest destiny', 'Wikipedia: Marquette County, Wisconsin', 'Wikipedia: Myers–Briggs Type Indicator', 'Wikipedia: Debden', 'Wikipedia: Madison County, Montana', 'Wikipedia: Ralls County, Missouri', 'Wikipedia: Sherburne County, Minnesota', 'Wikipedia: Muskegon County, Michigan']
[['People', 'In mythology', 'Songs', 'Other uses'], ['References', 'Military logistics', 'Military technology and equipment', 'Military and Society', 'Recruitment and Retention', 'Veterans', 'Reserve Forces', 'University studies', 'International Military Sciences or Studies Associations', 'Military studies journals', 'See also', 'History', 'Theory of operation', 'Ventilation', 'Academic competitions', 'Personal life', 'Honors', 'Legacy', 'Filmography', 'Films and television films', 'TV shows and appearances', 'Web shows and series', 'Animation', 'Video games', 'Causes, beliefs, and practices', 'Examples', 'First occurrences', 'Pacific cults of World War II', 'Post-war', 'Current cults', 'Attestations', 'Theories', 'Egils saga', 'Notable alumni', 'Points of interest', 'References'], ['Business', 'Entertainment', 'Law', 'Politics', 'Sports', 'Football and rugby', 'Other sports', 'Other fields', 'See also', 'Procedure', 'Blood donation', 'Processing and testing', 'Compatibility testing', 'Compatibility of ABO and Rh system for Red Cell (Erythrocyte) Transfusion', 'Adverse effects', 'Immunologic reaction', 'Infection', 'Comparison table', 'Inefficacy', 'Cook Islands: Tivaevae quilts', 'Egyptian khayamiya', 'Kuna: Mola textiles', 'Block designs', 'Machines', 'Autograph quilts', 'Quillow', 'T-shirt quilt', 'Quilting technique', 'Quilts on display', 'Geography and climate', 'Geography', 'Climate', 'History', 'Early settlement', 'After 1850', 'Municipal offices', 'House of Industry and Refuge', 'German heritage', 'Economy', 'Etymology', 'Effects on memory', 'As a therapeutic device', 'Notable doodlers', 'See also', 'Context', 'Origin of the term', 'Themes and influences', 'Geography', 'Major highways', 'Adjacent counties', 'National protected area', 'Demographics', 'Adjacent counties', 'Demographics', '2000 census', '2010 census', 'Wine regions', 'Communities', 'Cities', 'Towns', 'Census-designated places', 'Unincorporated communities', 'History', 'See also', 'Notes', 'References', 'Sources', 'Middle Plantation, Williamsburg, Green Spring', '19th and 20th centuries', 'Colonial Williamsburg', 'Anheuser-Busch', '21st century', 'Geography', 'Adjacent counties and independent cities', 'National protected areas', 'Demographics', 'Government', 'Commissioners', 'Precinct 1', 'Precinct 2', 'Precinct 3', 'Precinct 4', 'Justice of the Peace', 'Politics', 'Education', 'Communities', 'Cities', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Communities', 'Cities', 'Unincorporated communities', 'In popular culture', 'Politics', 'See also', 'Demographics', 'Politics', 'United States Congress', 'Texas Legislature', 'Texas Senate', 'Texas House of Representatives', 'Austin County Courthouse', 'Education', 'Transportation', 'Major Highways', 'Demographics', 'Communities', 'City', 'Towns', 'Census-designated place', 'Unincorporated communities', 'Major highways', 'Politics', 'Education', 'See also', 'Media', 'Communities', 'City', 'Towns', 'Census-designated place', 'Notable people', 'Governors', 'See also', 'References'], ['History', 'Geography', 'Major Highways', 'Airports', 'Adjacent counties', 'Demographics', 'Politics', 'Economy', 'Education', 'Yucatec traditions', 'Myth', 'Ritual', 'Gulf Coast traditions', 'Earlier representations', 'See also', 'Notes', 'References', 'History', 'District Railway', 'London Transport', 'Route', 'Map', 'Railway line', 'Services', 'Career highlights', 'Personal life', 'Public life', 'Honours and awards', 'Publications', 'References'], ['The First World', 'The Second World', 'The Third World', 'Spider Woman, Spider Man and Weaving', 'The Separation of Women and Men', 'Big Water Creature and the Great Flood', 'The Fourth World', 'Creation of Sun and Moon', 'History', 'Railroads', 'Geography', 'Major highways', 'Adjacent counties', 'National protected area', 'Demographics', '2000 census', '2010 census', 'Communities', 'City', 'Villages', 'Census-designated places', 'Other communities', 'Other places', 'Politics', 'See also', 'Notable natives and residents', 'See also', 'References'], ['Climate', 'Demographics', 'Administration', 'Transportation', 'Education', 'Sports', 'Muhammad Waseem', 'Facilities', 'See also', 'References', 'Places in England', 'Places in Canada', 'See also', 'Federal and state representation', 'Infrastructure', 'Police department', 'Restrictions on registered sex offenders', 'Fire department', 'Marine Safety Division', 'County', 'State and federal', 'Education', 'Primary and secondary schools', 'Geography', 'Major highways', 'Adjacent counties', 'National protected areas', 'History', 'Geography', 'Adjacent counties', 'Major highways', 'Demographics', 'Politics', 'Local', 'State', 'Federal', 'Missouri Presidential Preference Primary (2008)', 'Communities', 'Cities', 'Villages', 'Unincorporated communities', 'Townships', 'Politics', 'See also', 'Notes', 'References'], ['History', 'Geography', 'Bodies of water', 'National protected area', 'Major highways', 'Adjacent counties']]



['Wikipedia: Charun', 'Wikipedia: Creidhne', 'Wikipedia: Culhwch', 'Wikipedia: Þrúðr', 'Wikipedia: Sessrúmnir', 'Wikipedia: The Pirate Planet', 'Wikipedia: Flag of Oregon', 'Wikipedia: Huixtocihuatl', 'Wikipedia: Turnpike Lane, Haringey', 'Wikipedia: Kent County, Texas', 'Wikipedia: Anderson County, Tennessee', 'Wikipedia: Dorchester County, South Carolina', 'Wikipedia: Hunab Ku', 'Wikipedia: Jean-Bédel Bokassa', 'Wikipedia: Mora County, New Mexico', 'Wikipedia: Virgin Atlantic', 'Wikipedia: Deptford', 'Wikipedia: Adair County, Missouri']
[['See also', 'Origins', 'Appearance', 'All articles needing additional references', 'All stub articles', 'Articles needing additional references from December 2009', 'Celtic mythology stubs', 'Citations and notes', 'References'], ['Heating', 'Cooling', 'Lighting', 'Carbon dioxide enrichment', 'Types', 'Dutch Light', 'Uses', 'Adoption', 'Netherlands', 'See also', 'Bibliography', 'References', 'Further reading'], ['Theoretical explanations', 'Cargoism: The discourse on cargo cults', 'See also', 'Notes', 'References', 'Filmography', 'Further reading'], ['Implications', 'Stone ships and Proto-Germanic afterlife location', 'Modern influence', 'See also', 'Notes', 'References', 'Etymology', 'Attestations', 'Theories', 'See also', 'Notes', 'References', 'Plot', 'Production', 'Cast notes', 'Other', 'Frequency of use', 'History', 'Early attempts', 'Animal blood', 'Human blood', '20th century', 'Blood banks in WWI', 'Expansion', 'Medical advances', 'In literature', 'Periodicals', 'See also', 'References', 'Further reading'], ['Demographics', 'Government', 'Education', 'Health care', 'Culture', 'Kitchener–Waterloo Oktoberfest', 'Kitchener–Waterloo in film and music', 'Kitchener Blues Festival', 'Kitchener–Waterloo Multicultural Festival', 'KOI Music Festival', 'Social language codes', 'Restricted code', 'Elaborated code', 'The codes and child development', 'Covert prestige', 'Sociolinguistic variables', 'See also', 'References', 'Further reading'], ['References', 'Further reading', 'Associations', 'Alternative interpretations', 'Era of continental expansion', 'War of 1812', 'Continentalism', 'All Oregon', 'Mexico and Texas', 'All Mexico', 'Filibusterism', 'Homestead Act', 'Acquisition of Alaska', 'Communities', 'City', 'Villages', 'Towns', 'Census-designated place', 'Unincorporated communities', 'Politics', 'See also', 'References', 'Further reading', 'Description', 'Nearby places', 'Popular culture', 'References', 'Economy', 'Industry', 'Education', 'Elementary, secondary schools', 'Higher education', 'Transportation', 'U.S. Route 60 Grove-Lee Hall traffic', "Skiffe's Creek Connector", 'Newport News section', 'Major Highways', 'Census-designated places', 'Other unincorporated communities', 'Ghost towns', 'Gallery', 'See also', 'References', 'Further reading'], ['References'], ['History timeline', 'Communities', 'Cities', 'Town', 'Unincorporated communities', 'Ghost town', 'See also', 'References'], ['References'], ['History', 'History', 'Geography', 'Adjacent counties', 'Communities', 'Cities', 'Towns', 'Unincorporated communities', 'NRHP sites', 'References'], ['Hunab Ku as Christian God', 'Hunab Ku in New Age Belief', 'Hunab Ku as symbol', 'See also', 'Rolling stock', 'S Stock', 'Depots', 'Upgrade programme', 'List of stations', 'Open stations', 'Previously served stations', 'Closed and fictional stations', 'See also', 'Notes', 'Early life', 'Military career', 'Rising tensions', "Coup d'état", 'Early years of regime', 'Threat to power', 'The Coming of Death', 'Stars and Constellations', 'The Re-Creation of the Sacred Mountains', 'The Coming of Monsters', 'The Monster Slayer Twins', 'The Birth of Changing Woman', 'Birth of the Twins', 'Preparation of the Twins', 'The Journey to the Sun', 'Encounter with The Sun', 'Education', 'Elementary Schools', 'Middle Schools', 'High Schools', 'Community College', 'Law and government', 'Attractions', 'Racing', 'Outdoors', 'Communities', 'References', 'Further reading', 'History', 'History', 'Differences from Jung', 'Structured vs. projective personality assessment', 'Judging vs. perceiving', 'Orientation of the tertiary function', 'Concepts', 'Type', 'Thumbnail sketches', 'Statistics', 'Bibliography'], ['History', 'History', 'Governance', 'Geography', 'Demography', 'Economy', 'Public schools', 'Private schools', 'Colleges and universities', 'Transportation', 'Ports and freight', 'Public transportation', 'Airports', 'Freeways and highways', 'Bicycles and pedestrians', 'Modal characteristics', 'Politics', 'Demographics', '2000 census', '2010 census', 'Communities', 'Towns', 'Census-designated places', 'Unincorporated communities', 'Former communities', 'Notable residents', 'Education', 'Public schools', 'Public libraries', 'Politics', 'Local', 'State', 'Federal', 'Missouri presidential preference primary (2008)', 'Communities', 'Cities', 'Notable people', 'See also', 'References'], ['History', 'Geography', 'Major highways', 'Airports', 'Adjacent counties', 'Protected areas===', 'Demographics', '2000 census', 'Demographics', 'Government', 'County government', 'Elected officials', 'State representation', 'Education', 'Historical markers', 'Communities', 'Cities', 'Villages']]



['Wikipedia: Phoenix Mercury', 'Wikipedia: Luchtaine', 'Wikipedia: Olwen', 'Wikipedia: GE-200 series', 'Wikipedia: Dolby noise-reduction system', 'Wikipedia: Heid', 'Wikipedia: List of environmental issues', 'Wikipedia: Itztlacoliuhqui', 'Wikipedia: Marinette County, Wisconsin', 'Wikipedia: Tsing Ma Bridge', 'Wikipedia: Washington County, Texas', 'Wikipedia: Atascosa County, Texas', 'Wikipedia: Pawnee County, Oklahoma', 'Wikipedia: Ixchel', 'Wikipedia: East London line', 'Wikipedia: Lincoln County, Montana', 'Wikipedia: Kings Cross, London']
[['Function', 'Modern views', 'Assistants', 'Popular culture', 'References', 'Irish gods', 'Irish goldsmiths', 'Irish metalsmiths', 'Irish silversmiths', 'Smithing gods', 'Tuatha Dé Danann', 'In Culhwch and Olwen', 'Other appearances', 'References'], ['Notes', 'Bibliography', 'Further reading'], ['Attestations', 'Poetic Edda', 'Prose Edda', 'Karlevi Runestone', 'Kennings', 'See also', 'Notes', 'References', 'Usage', 'Dolby A', 'Dolby B', 'Dolby FM', 'Dolby C', 'Attestations', 'Theories', 'See also', 'Notes', 'References', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'Broadcast and reception', 'Commercial releases', 'In print', 'Home media', 'References'], ['Fan novelisation', 'Special populations', 'Neonate', 'Significant blood loss', 'Unknown blood type', 'Religious objections', 'Research into alternatives', 'Other uses', 'Veterinary use', 'See also', 'References', 'History', 'Proposed change', 'Description', 'See also', 'References'], ['Kultrun World Music Festival', 'LGBT culture', 'Recreation', 'Transport', 'Highways and expressways', 'City streets', 'Public transport', 'Light rail transit', 'Railways', 'Air', 'Issues', 'Effects', 'Mitigation', 'Iconography', 'Ritual', 'References', 'Native Americans', 'Beyond mainland North America', 'Spanish–American War', 'Legacy and consequences', 'See also', 'References', 'Citations', 'Sources', 'Further reading', 'Journal articles'], ['Geography', 'Adjacent counties', 'History', 'Background', 'Construction', 'Inauguration', 'Operation', 'Military sites, bases', '17th century', '19th century', '20th century', 'Communities', 'Williamsburg', 'Unincorporated communities', 'See also', 'References'], ['Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Communities', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Communities', 'City', 'Census-designated place', 'Ghost town', 'Politics', 'See also', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Education', 'Geography', 'Adjacent counties', 'National protected area', 'State protected areas', 'Demographics', 'Economy', 'Communities', 'Cities', 'Town', 'Census-designated place', 'Demographics', '2000 census', '2010 census', 'Government and infrastructure', 'Politics', 'Communities', 'City', 'Town', 'Census-designated place', 'Unincorporated communities', 'History', 'Geography', 'Adjacent counties', 'Earthquake', 'Demographics', 'Politics', 'Notes', 'References', 'Identification', 'References', 'Citations', 'Sources', 'Further reading'], ['Rule during the 1970s', 'Foreign support', 'Proclamation of empire', 'Overthrow', 'Repression', 'Operations Caban and Barracuda', 'Fall of the empire', 'Later life', 'Exile and return', 'Trial', 'The Destruction of the Monsters', 'The Slaying of Yéʼiitsoh, the Big Giant', 'The Slaying of Déélgééd, the Horned Monster', 'Old Age, Cold, Poverty, and Hunger', 'Departure of Changing Woman', 'See also', 'Footnotes', 'References', 'Cities', 'Towns', 'Census-designated places', 'Unincorporated communities', 'Townships', 'Notable people', 'See also', 'References'], ['Spanish period', 'Mexican period, and permanent settlement', 'Texan and Mexican–American War periods', 'In the United States', 'Geography', 'Adjacent counties', 'National protected areas', 'Demographics', '2000 census', '2010 census', 'Four dichotomies', 'Attitudes: extraversion/introversion', 'Functions: sensing/intuition and thinking/feeling', 'Dominant function', 'Lifestyle preferences: judging/perception', 'Format and administration', 'Additional formats', 'Precepts and ethics', 'Type dynamics and development', 'Cognitive learning styles', 'Origins', 'Formative years', 'Competition', 'Recent years', 'Corporate affairs', 'Offices', 'Ownership', 'Business trends', 'Service concept', 'Little Red', 'Culture', 'Transport', 'Education', 'Landmarks', 'Churches', 'Deptford Dockyard', 'Murder of Christopher Marlowe', 'Notable people', 'References'], ['Media', 'Movies and television', 'Online News', 'Print', 'Radio', 'Notable people', 'Sister cities', 'See also', 'References', 'Bibliography', 'See also', 'References'], ['Village', 'Unincorporated communities', 'See also', 'References'], ['History', 'Courthouse', 'Geography', 'Adjacent counties', 'Major highways', 'Demographics', 'Education', 'Public schools', 'Private schools', 'Communities', 'Cities', 'Unincorporated communities', 'Townships', 'Politics', 'See also', 'References'], ['Census-designated places', 'Unincorporated communities', 'Townships', 'See also', 'References', 'Further reading'], []]



['Wikipedia: Britannia', 'Wikipedia: Ysbaddaden', 'Wikipedia: Everglades', 'Wikipedia: Alvíss', 'Wikipedia: Hildisvíni', 'Wikipedia: Otta', 'Wikipedia: Adele Goldberg', 'Wikipedia: Shada (Doctor Who)', 'Wikipedia: Alabama (band)', 'Wikipedia: Thymidine', 'Wikipedia: Louise Arbour', 'Wikipedia: Ixtlilton', 'Wikipedia: Holmfirth', 'Wikipedia: Isle of Wight County, Virginia', 'Wikipedia: Kenedy County, Texas', 'Wikipedia: Ziebach County, South Dakota', 'Wikipedia: Dillon County, South Carolina', 'Wikipedia: Ottawa County, Oklahoma', 'Wikipedia: Cuyahoga County, Ohio', 'Wikipedia: Randolph County, North Carolina', 'Wikipedia: Dulwich', 'Wikipedia: Plaistow', 'Wikipedia: Scott County, Minnesota', 'Wikipedia: Montmorency County, Michigan']
[['Franchise history', 'Mercury heating up (1997–1998)', 'Mercury falling (1999–2003)', 'Diana Taurasi joins the WNBA (2004–2005)', 'Bringing back "Paul Ball" (2006–2007)', 'Mercury fall, Mercury rise (2008–2011)', 'Brittney Griner arrives, and history is made (2013–present)', 'Uniform sponsor', 'References', 'Notable persons with this name', 'See also', 'References', 'Background', 'DTSS', 'See also', 'References'], ['See also', 'References', 'Dolby SR', 'Dolby S', 'Dolby HX/HX-Pro', 'Technological trends', 'See also', 'References'], ['References', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages with short descriptions', 'Human name disambiguation pages', 'Synopsis', 'Production', 'Cast notes', 'Reconstruction', '1992 VHS reconstruction', '2017 animated restoration', 'Further reading'], ['Blood transfusion societies', 'Books', 'Guidelines', 'Patient information', 'Structure and properties', 'Modified analogs', 'References'], ['Media', 'Neighbourhoods', 'Sports', 'Other sports teams and leagues', 'Notable people', 'Academia', 'Athletics and sports', 'Business', 'Literature', 'Music, entertainment, and the arts', 'See also'], ['Early life and education', 'See also', 'Notes', 'References', 'Books'], ['History', 'Major highways', 'Airport', 'Demographics', 'Tourism', 'Communities', 'Cities', 'Villages', 'Towns', 'Census-designated places', 'Other unincorporated communities', 'Design', 'Wind tunnel testing', 'Major components', 'Ship impact protection', 'Tourism', 'See also', 'References', 'Further reading'], ['History', 'Geography', 'Adjacent counties and independent cities', 'Cities', 'Unincorporated communities', 'Historic communities', 'Politics', 'See also', 'References'], ['References'], ['Geography', 'Communities', 'Cities', 'Town', 'Census-designated place', 'Unincorporated communities', 'Gallery', 'Politics', 'See also', 'References'], ['Unincorporated communities', 'Politics', 'See also', 'References'], ['See also', 'References'], ['Communities', 'NRHP sites', 'References', 'Meaning of  the name', 'Ixchel and the moon', 'Ixchel as an earth and a war goddess', 'Mythology', 'Cult of Ixchel', 'See also', 'Notes', 'Bibliography and references', 'History', 'Establishment of the East London Railway', 'Early use', 'The London Underground era', 'Physical characteristics', 'Rolling stock', 'Stations', 'Conversion to Overground', 'Imprisonment and release', 'Legacy', 'Titles, styles and honours', 'Style', 'National dynastic honours', 'Foreign honours', 'References', 'Citations', 'Sources'], ['History', 'Geography', 'Adjacent counties', 'Major highways', 'Demographics', 'History', 'County formation', 'Geography', 'Adjacent counties', 'Places of interest', 'Communities', 'Village', 'Census-designated places', 'Unincorporated communities', 'Politics', 'See also', 'References'], ['Extraversion/Introversion', 'Sensing/Intuition', 'Thinking/Feeling', 'Judging/Perceiving', 'MBTI Step II', 'Applications', 'Correlations with other instruments', 'Keirsey temperaments', 'Big Five', 'Personality disorders', 'Virgin Atlantic International Limited', 'Flybe takeover bid', 'Destinations', 'Codeshare agreements', 'Fleet', 'Current fleet', 'Fleet development', 'Historical fleet', 'Livery', 'Incidents and accidents', 'History', 'Geography', 'Sport and leisure'], ['Places', 'England', 'Geography', 'Adjacent counties and county-equivalents', 'National protected areas', 'Economics', 'Top employers', 'Demographics', '2000 census', '2010 census', 'Communities', 'Cities', 'History', 'Toponymy', 'Railway stations', 'Post-war decline', 'Regeneration', 'Education, culture and heritage', 'In popular culture', 'Rail', 'Post-secondary education', 'Public libraries', 'Politics', 'Local', 'State', 'Federal', 'Federal - Presidential', '2016 Missouri Presidential primary', '2012 Missouri Presidential primary', '2008 Missouri Presidential primary', 'History', 'Geography', 'Lakes', 'Major highways', 'Adjacent counties', 'History', 'Geography', 'Adjacent counties', 'Major highways', 'Demographics', 'Economy']]



['Wikipedia: Mag Mell', 'Wikipedia: Andhrímnir', 'Wikipedia: Cargo cult science', 'Wikipedia: Freo', 'Wikipedia: Counted-thread embroidery', 'Wikipedia: NAMES Project AIDS Memorial Quilt', 'Wikipedia: Japanese grammar', 'Wikipedia: Sketch', 'Wikipedia: Marathon County, Wisconsin', 'Wikipedia: System analysis', 'Wikipedia: Ward County, Texas', 'Wikipedia: Armstrong County, Texas', 'Wikipedia: Voltan', 'Wikipedia: Gladstone Publishing', 'Wikipedia: Selu', 'Wikipedia: McKinley County, New Mexico', 'Wikipedia: Virgin Records', 'Wikipedia: Plumstead']
[['Season-by-season records', 'Players', 'Current roster', 'Former players', 'Retired numbers', 'Hall of Famers', 'FIBA Hall of Famers', 'Coaches and staff', 'Owners', 'Head coaches', 'Greek and Roman periods', 'British revival', 'Medieval use', 'Renaissance and British Empire', 'Modern associations', 'Depiction on British currency and postage stamps', 'Coinage', 'Banknotes', 'Postage stamps', 'References', 'See also', 'Names', 'Geology', 'Limestone and aquifers', 'Hydrology', 'Climate', 'Formative and sustaining processes', 'Water', 'Notes', 'References', "Feynman's speech", 'Example in specific experiments and results', 'Proposed solutions', 'See also', 'References'], ['See also', 'Short description is different from Wikidata', 'See also', 'Other adaptations', 'Big Finish audio play and web animation (2003)', 'Outside references', 'Ian Levine animated version (2011)', 'Novelisation and audio book (2012)', 'Audio book', 'Reviews', 'References', 'Bibliography'], ['History', '1969–79: Formation and early years', '1980–87: Mainstream success and superstardom', '1987–2004: Decline in popularity and Farewell tour', '2004–present: Reunions', 'Musical style and influences', 'Chart records, sales, and awards', 'History and structure', 'Goal and achievement', 'Quilt construction and care', 'Politics', 'References', 'Notes'], ['Personal life', 'Legal career', 'Canada', 'The Hague', 'Supreme Court of Canada', 'Works and awards', 'Honours and awards', 'See also', 'Footnotes'], ['References', 'Arts, entertainment and media', 'Film and television', 'Bamforth & Co', 'Flooding', 'Description', 'Education', 'Primary education', 'Secondary education', 'Economy', 'Sport', 'Transport', 'Rail', 'Politics', 'See also', 'References'], ['Characterization of systems', 'LTI Systems', 'See also', 'Important concepts in system analysis', 'Major highways', 'Demographics', 'Government', 'Board of Supervisors', 'Constitutional officers', 'State & federal elected officials', 'Public services', 'Communities', 'Towns', 'Census-designated places', 'History', 'Native Americans', 'Growth', 'Geography', 'Major highways', 'Adjacent counties', 'Major highways', 'Adjacent counties', 'National protected area', 'Demographics', 'Education', 'Communities', 'Census-designated place', 'Unincorporated community', 'Politics', 'See also', 'History', 'Native Americans', 'County established and growth', 'History', 'Geography', 'Buttes', 'Major highways', 'Adjacent counties', 'Protected areas', 'Lakes and reservoirs===', 'Demographics', 'Geography', 'Adjacent counties', 'Major highways', 'Demographics', '2000 census', '2010 census', 'Communities', 'Cities', 'Town', 'Unincorporated communities', 'History', 'Geography', 'Adjacent counties', 'Demographics', 'Politics', 'Economy', 'Communities', 'Cities', 'Towns', 'Census-designated places', 'References', 'History of the extended route', 'Extension', 'Phase 1', 'Highbury & Islington extension', 'East London line extension phase 2', 'Future', 'Service', 'References', 'Further reading'], ['All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Government', 'Politics', 'Education', 'Colleges and universities', 'Health', 'Community comparison of disparities', 'Health facilities', 'Transportation', 'Airports', 'Rail', 'Major highways', 'Demographics', 'Communities', 'Cities', 'Towns', 'Townships', 'Unincorporated communities', 'Politics, law and government', 'Education', 'Notable people', 'Geography', 'Adjacent counties', 'Major highways', 'National protected areas', 'Criticism', 'No evidence for dichotomies', 'No evidence for "dynamic" type stack', 'Validity and utility', 'Lack of objectivity', 'Terminology', 'Factor analysis', 'Correlates', 'Reliability', 'Utility', 'See also', 'References', 'Citations', 'Bibliography'], ['Local landmarks', 'Houses', 'Churches', 'Transport', 'Notable residents', 'Gallery', 'See also', 'References', 'Further reading'], ['United States', 'Other uses', 'History', 'Towns', 'Census-designated places', 'Unincorporated communities', 'Politics', 'See also', 'Notes', 'References'], ["King's Cross station", 'St Pancras International', 'Euston station', 'London Underground', 'Transport', 'Bus and Coach', 'Cycling', 'Road', 'Nearby attractions', 'References', 'Communities', 'Cities', 'Villages', 'Unincorporated communities', 'Townships', 'See also', 'References'], ['National protected area', 'Demographics', 'Communities', 'Cities', 'Townships', 'Unincorporated communities', 'Politics', 'Federal government', 'State government', 'County government', 'Government', 'Elected officials', 'Recreation', 'Media', 'Endangered species', 'Communities', 'Village', 'Census-designated places', 'Townships', 'See also']]



['Wikipedia: Tethra', 'Wikipedia: Sæhrímnir', 'Wikipedia: Barbershop', 'Wikipedia: Fensalir', 'Wikipedia: Galvanism', 'Wikipedia: English Revolution', 'Wikipedia: IPod', 'Wikipedia: List of places in London', 'Wikipedia: Highland County, Virginia', 'Wikipedia: Kendall County, Texas', 'Wikipedia: Darlington County, South Carolina', 'Wikipedia: Osage County, Oklahoma', 'Wikipedia: Hammersmith & City line', 'Wikipedia: DAC', 'Wikipedia: Polk County, North Carolina', 'Wikipedia: Milk River (Alberta–Montana)', 'Wikipedia: Edgware', 'Wikipedia: Liberty County, Montana', 'Wikipedia: Pulaski County, Missouri', 'Wikipedia: Dilga', 'Wikipedia: St. Louis County, Minnesota', 'Wikipedia: Montcalm County, Michigan']
[['General managers', 'Assistant coaches', 'Statistics', 'Media coverage', 'All-time notes', 'Regular season attendance', 'Draft picks', 'Trades', 'All-Stars', 'Olympians', 'Britannia watermark in paper', 'Brit Awards', 'Namesakes', 'See also', 'References', 'Notes'], ['References', 'Etymology', 'Popular culture', 'Rock', 'Fire', 'Ecosystems', 'Sawgrass marshes and sloughs', 'Tropical hardwood hammock', 'Pineland', 'Cypress', 'Mangrove and Coastal prairie', 'Florida Bay', 'History', 'Etymology', 'Attestations', 'Theories', 'See also', 'Notes', 'References', 'Barbershop franchise', 'Other uses', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'History', 'Scientific and intellectual legacy', 'Popular culture', 'Abiogenesis', 'Fan novelisation', 'Webcast', 'Whig theory', 'Multiplatinum certifications', 'Awards', 'Legacy', 'Impact', 'Philanthropy', 'Band members', 'Current members', 'Former members', 'Discography', 'Albums', 'Quilt maintenance and Gert McMullin', 'Examples of panels', 'Recognition and influence', 'Projects inspired by NAMES', 'Display location', 'See also', 'References', 'Further reading'], ['Some distinctive aspects of modern Japanese sentence structure', 'Word order: head final and left branching', 'Word class system', 'Japanese as a topic-prominent language', 'Liberal omission of the subject of a sentence', 'Sentences, phrases and words', 'Word classification', 'Controversy over the characterization of nominal adjectives', 'Nouns', 'History', 'Hardware', 'Audio', 'Literature', 'Music', 'Computing', 'Mathematics', 'People', 'Other uses', 'See also', 'Buses', 'Culture', 'Holmfirth Choral Society', 'Film festival', 'Art week', 'Holmfirth Festival of Folk', 'Holmfirth Arts Festival', 'Brass bands', 'Surrounding villages', 'References', 'Geography', 'Major highways', 'Airports', 'Adjacent counties', 'Natural wildlife refuges', 'Demographics', 'Libraries', 'Recreation', 'County parks', 'Related fields', 'Geographic divisions and areas', 'Neighbourhoods', 'Other unincorporated communities', 'Gallery', 'See also', 'References'], ['Demographics', 'Government and infrastructure', 'Politics', 'Communities', 'Cities', 'Towns', 'Unincorporated community', 'See also', 'References'], ['References'], ['History', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Education', 'Communities', 'City', 'Unincorporated communities', 'Politics', 'See also', '2000 census', '2010 census', 'Communities', 'Cities', 'Unincorporated communities===', 'Unorganized territories', 'Politics', 'See also', 'References', 'Attractions', 'Politics', 'See also', 'References'], ['Unincorporated communities', 'Ghost towns', 'NRHP sites', 'See also', 'References'], ['First generation (1986–1990)', 'Second generation (1993–1998)', 'Softcover albums', 'EC Comics reprints', 'References'], ['History', 'Metropolitan Railway', 'London Transport', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'Organisations', 'Public transportation', 'Recreation', 'Culture', 'Theaters', 'Classical music', 'Museums', 'Retail', 'Communities', 'Cities', 'Villages', 'See also', 'References'], ['Demographics', '2000 census', '2010 census', 'Communities', 'City', 'Census-designated places', 'Unincorporated communities', 'Politics', 'See also', 'In popular culture', 'See also', 'Notes', 'References and further reading', 'History', 'Rebranding', 'Subsidiary labels', 'Current', 'Former', 'American editions', 'Canadian editions', 'Purchase by Thorn EMI', 'History', 'Origins and pre-industrial history', 'Early economic history', 'Education', 'Sport', 'Transport', 'Rail', 'Buses', 'Notable people', 'Nearby areas', 'Gallery', 'References'], ['Geography', 'Adjacent counties', 'Politics', 'Demographics', '2000 census'], ['History', 'Geography', 'Aboriginal goddesses', 'All articles lacking sources', 'All stub articles', 'Articles lacking sources from December 2009', 'Australian mythology stubs', 'See also', 'References'], ['References'], ['Geography']]



['Wikipedia: Februus', 'Wikipedia: Bodb', 'Wikipedia: XSL (disambiguation)', 'Wikipedia: Eldhrímnir', 'Wikipedia: That Was the Week That Was', 'Wikipedia: The 39 Steps', 'Wikipedia: City of Death', 'Wikipedia: Chromosome 15q partial deletion', 'Wikipedia: Methyl radical', 'Wikipedia: Iztaccihuatl', 'Wikipedia: Thora Hird', 'Wikipedia: Waller County, Texas', 'Wikipedia: Archer County, Texas', 'Wikipedia: Yankton County, South Dakota', 'Wikipedia: Hilary Swank', 'Wikipedia: Digital-to-analog converter', 'Wikipedia: Crawford County, Ohio', 'Wikipedia: Luna County, New Mexico', 'Wikipedia: Montana State University–Northern', 'Wikipedia: Government bond', 'Wikipedia: Poplar, London', 'Wikipedia: Yazoo County, Mississippi']
[['Honors and awards', 'References'], ['All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'Music', 'References', 'All article disambiguation pages', 'Native Americans', 'Calusa and Tequesta', 'Seminole', 'Exploration', 'Drainage', 'Growth of urban areas', 'Flood control', 'Everglades National Park', 'Central and Southern Florida Flood Control Project', 'Everglades Agricultural Area', 'Notes', 'References', 'Cast and writers', 'Programme', 'Kennedy tribute', 'Reception', 'Attestations', 'Theories', 'Notes', 'References', 'Medicine', 'See also', 'References'], ['Marxist theory', 'Criticism', 'See also', 'Notes', 'Number one singles', 'Notes', 'References', 'Sources'], ['Chemical properties', 'Redox behaviour', 'Structure', 'Chemical reactions', 'Grammatical case', 'Pronouns', 'Reflexive pronouns', 'Demonstratives', 'Conjugable words', 'Stem forms', 'Verbs', 'Transitive and intransitive verbs', 'Adjectival verbs and nouns', 'Copula (だ da)', 'Connectivity', 'Accessories', 'Software', 'Interface', 'iTunes Store', 'Games', 'File storage and transfer', 'Models and features', 'Supported iOS versions on the iPod Touch', 'Patent disputes', 'Geology', 'Legend of Popocatépetl and Iztaccíhuatl', 'Elevation', 'Gallery', 'See also', 'References'], ['Early life and career', 'Religious broadcasts', 'Snowmobile trails', 'Communities', 'Cities', 'Villages', 'Towns', 'Census-designated places', 'Unincorporated communities', 'Ghost towns/neighborhoods', 'Politics', 'See also', 'London boroughs', 'Sub-regions', 'Political divisions', 'Geographic features', 'Hills and highest points', 'Waterways', 'Canals', 'Canal tunnels', 'Docks', 'Islands and peninsulas', 'History', 'Geography', 'Adjacent counties', 'Protected areas', 'Climate and weather', 'Economy', 'Transportation', 'Highways', 'Geography', 'Adjacent counties', 'Demographics', 'Before 1850', '1850–1899', '1900–present', 'Geography', 'Major highways', 'Historic highways', 'Adjacent counties', 'Waterways', 'Caves', 'Demographics', 'References'], ['Geography', 'Geography', 'Major highways', 'Airports', 'Adjacent counties', 'Geography', 'Adjacent counties', 'Demographics', '2000 census', '2010 census', 'Communities', 'Cities', 'Towns', 'History', 'Geography', 'Adjacent counties', 'Demographics', 'Politics', 'Communities', 'Cities', 'Early life', 'Career', '1991–1998: Early work and breakthrough', '1999–2006: Critical acclaim', 'A separate identity', 'Route', 'Services', 'Rolling stock', 'Depot', 'Upgrade programme', 'List of stations', 'Notes and references', 'Notes', 'References', 'Sports', 'Science and technology', 'Other uses', 'Townships', 'See also', 'References'], ['Geography', 'Adjacent counties', 'Demographics', 'Transportation', 'Major highways', 'Rail', 'Law and government', 'Politics', '2016', 'Communities', 'References', 'History', 'Geography', 'Geography', 'History', 'See also', 'References'], ['Merger', 'Virgin Music Publishers', 'Virgin Music international companies', 'See also', 'References'], ['Suburban transformation', 'Geography', 'Demography and religion', 'Economy', 'Education', 'Transport', 'Tube', 'Buses', 'Sport', 'Notable people', 'Government and politics', 'Local community groups', 'Resources', '2010 census', 'Communities', 'Town', 'Census-designated place', 'Unincorporated communities', 'See also', 'References', 'Adjacent counties', 'National protected area', 'Demographics', 'Transportation', 'Airport', 'Major highways', 'Politics', 'Local', 'State', 'Federal', 'Deity stubs', 'Fertility goddesses', 'Use dmy dates from July 2019', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'National protected areas', 'Weather', 'Demographics', 'Government', 'Politics', 'Presidential elections', 'Adjacent counties', 'National protected area', 'Major highways', 'Demographics', 'Government', 'Elected officials', 'Communities', 'Cities', 'Villages', 'Unincorporated communities']]



['Wikipedia: Horta', 'Wikipedia: Bodb Derg', 'Wikipedia: Maponos', 'Wikipedia: Canfield, Braxton County, West Virginia', 'Wikipedia: Carillon', 'Wikipedia: Government of the Cayman Islands', 'Wikipedia: Near-sightedness', 'Wikipedia: Cannery Row', 'Wikipedia: Trichomoniasis', 'Wikipedia: ADP', 'Wikipedia: Alcalá de Henares', "Wikipedia: Côtes-d'Armor", 'Wikipedia: Kaufman County, Texas', 'Wikipedia: Aransas County, Texas', 'Wikipedia: Walworth County, South Dakota', 'Wikipedia: Colleton County, South Carolina', 'Wikipedia: Okmulgee County, Oklahoma', 'Wikipedia: Mechanical equilibrium', 'Wikipedia: Don (river)', 'Wikipedia: Los Alamos County, New Mexico', 'Wikipedia: Zozobra', 'Wikipedia: PKZIP', 'Wikipedia: Polk County, Missouri', 'Wikipedia: Luger pistol']
[['Notes', 'References', 'Meaning', 'Name', 'Mythology', 'References'], ['Etymology', 'See also', 'References', 'Bibliography'], ['References', 'Bibliography', 'References', 'History', 'Executive branch', 'Legislative branch', 'Judicial branch', 'List of Chief Judges of the modern Grand Court', 'Administrative divisions', 'International organisation participation', 'Signs and symptoms', 'Causes', 'Genetics', 'Environmental factors', 'Early life', 'Galvani vs. Volta', 'Galvani’s landmarks in Bologna', 'Death and legacy', 'Works', 'References', 'Sources'], ['References', 'Bibliography'], ['Fan novelisation', 'Events', 'Births', 'Deaths', 'References', 'Aviation', 'Computing', 'Organizations and companies', 'People', 'Politics and government', 'Particles', 'Topic, theme, and subject: は wa and が ga', 'Thematic wa', 'Contrastive wa', 'Exhaustive ga', 'Objective ga', 'Objects, locatives, instrumentals: を o, で de, に ni, へ e', 'Quantity and extents: と to, も mo, か ka, や ya, から kara, まで made', 'Coordinating: と to, に ni, よ yo', 'Final: か ka, ね ne, よ yo and related', 'Name', 'History', 'Ecclesiastical history', 'Name', 'Geology', 'History', 'Eruptions', 'Gallery', 'See also', 'Notes', 'References', 'Further reading'], [], ['History', 'Geography', 'Major highways', 'Airport', 'Adjacent counties', 'Climate', 'Demographics', 'Government', 'Politics', 'Communities', 'Cities', 'Villages', 'Buildings and structures', 'Airports', 'Bridges', 'Cathedrals and places of worship', 'Government and parliamentary buildings', 'Houses and palaces', 'Legal London', 'Inns of Court', 'Markets', 'Former markets', 'Attractions', 'Communities', 'Town', 'Unincorporated communities', 'See also', 'References', 'Bibliography'], ['Major highways', 'Airports', 'Media', 'Communities', 'Cities', 'Town', 'Unincorporated areas', 'See also', 'References'], ['Former', 'Darmstadt Society of Forty', 'See also', 'References'], ['Towns', 'Unincorporated communities', 'Ghost towns', 'See also', 'References'], ['Politics and government', 'Recreation and Tourism', 'See also', 'References'], ['History', 'Geography', 'Adjacent counties', 'National protected area', 'State protected area', 'Demographics', 'History', 'Geography', 'Adjacent counties', 'Demographics', 'Stability', 'Potential energy stability test', 'Statically indeterminate system', 'Examples', 'History', '1932 to 1939', '1939 to 1979, the Fleet line', 'Proposed extensions', 'Millennium extension', '24 hour weekend service', 'Current Jubilee line', 'Station features', 'Rolling stock', 'Seventh car upgrade', 'References', 'Further reading'], ['Townships', 'Census-designated places', 'Unincorporated communities', 'See also', 'References', 'Further reading'], ['History', 'Geography', 'Adjacent counties', 'Demographics', 'Communities', 'Cities', 'Towns', 'Ghost towns', 'Politics', 'See also', 'References'], ['History', 'Modern celebration', 'Event description', 'List of Zozobra-burning events', 'Gallery', 'See also', 'United Kingdom', 'U.S. Government Bonds', 'See also', 'References', 'Early life', 'Life as an empress', 'Marriage', 'Blending Christianity with classical culture', 'Children', 'Pilgrimage to Jerusalem (438–439)', 'Banishment', 'In Jerusalem (443–460)', 'Literary work', 'Politics', 'Education', 'Transport', 'Rail', 'Buses', 'Road', 'Cycling', 'References'], ['2000 census', '2010 census', 'Communities', 'City', 'Town', 'Census-designated places', 'Unincorporated communities', 'Notable residents', 'See also', 'References', 'Former community', 'See also', 'References', 'Further reading'], ['Communities', 'Cities', 'Towns', 'Villages', 'Unincorporated communities', 'Ghost towns', 'Popular culture', 'Notable people', 'See also', 'References'], ['Design details', 'Service', 'History', 'Border disputes', 'Economic history', 'Geography', 'Adjacent counties', 'Climate', 'Demographics', 'Education']]



['Wikipedia: Borvo', 'Wikipedia: Appalachian Trail', 'Wikipedia: Nepr', 'Wikipedia: Showtunes (Stephin Merritt and Chen Shi-zheng album)', 'Wikipedia: Adenosine diphosphate', 'Wikipedia: Information visualization', 'Wikipedia: Malinalxochitl', 'Wikipedia: Henry County, Virginia', 'Wikipedia: Walker County, Texas', 'Wikipedia: Oklahoma County, Oklahoma', "Wikipedia: Boys Don't Cry", 'Wikipedia: Defense of Marriage Act', 'Wikipedia: Coshocton County, Ohio', 'Wikipedia: Interstate 69', 'Wikipedia: Populus', 'Wikipedia: Lake County, Montana', 'Wikipedia: Enharmonic']
[['People', 'Places and jurisdictions', 'Italy', 'Spain', 'Portugal', 'Africa', 'Other', 'Centres of worship', 'Epithets', 'Divine entourage', 'Etymology', 'Evidence for Maponos', 'Epigraphy', 'Iconography', 'Toponymy', 'Coligny Calendar', 'Celtic epithets of Apollo', 'Later tradition', 'Welsh mythology', 'History', 'Extensions', 'Flora and fauna', 'Musical characteristics', 'Carillon music', 'Carillonneurs', 'Carillon schools', 'Composers for carillon', 'Notable carillonneurs', 'Mechanical gallery', 'Instruments by country', 'Media', 'Gallery of notable carillons', 'History', 'See also', 'References', 'Mechanism', 'Diagnosis', 'Types', 'Degree', 'Age at onset', 'Prevention', 'Glasses and contacts', 'Medication', 'Other methods', 'Treatment', 'Reception', 'Track listing', 'References', 'History', 'Today', 'See also', 'References', 'Further reading'], ['Signs and symptoms', 'Complications', 'Causes', 'Genetic sequence', 'Diagnosis', 'Prevention', 'Screening', 'Science and technology', 'Other uses', 'Bioenergetics', 'Compound particles', 'Auxiliary verbs', 'References', 'Bibliography', 'Further reading'], ['Jewish history', 'Geography', 'Location', 'Climate', 'University', 'Cathedral', 'Other buildings', 'The city today', 'The storks', 'Immigration', 'See also', 'Demonym', 'Politics', 'Current National Assembly Representatives', 'Culture', 'Gallery', 'Notable people', 'See also', 'References'], ['Towns', 'Census-designated places', 'Unincorporated communities', 'At night', 'In the media', 'Gallery', 'See also', 'References', 'Further reading'], ['Covered markets', 'Street markets', 'Trade markets', 'Museums and art galleries', 'Railway stations', 'Roadways', 'Footpaths', 'Major roads', 'Roman roads', 'Streets and squares', 'History', 'Geography', 'Districts', 'Adjacent counties', 'Major highways', 'Geography', 'Major highways', 'Adjacent counties', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Media', 'Law enforcement', 'Communities', 'Cities (multiple counties)', 'History', 'Geography', 'Adjacent counties', 'National protected area', 'Demographics', 'Education', 'Transportation', 'Geography', 'Major highways', 'Adjacent counties', 'Protected areas===', 'Lakes===', 'Demographics', '2000 census', '2010 census', '2000 census', '2010 census', 'Communities', 'Cities', 'Towns', 'Census-designated places', 'Unincorporated communities', 'Politics', 'Education', 'See also', 'Government', 'Politics', 'Communities', 'NRHP Sites', 'References', 'See also', 'Notes and references', 'Further reading', 'Signalling system', 'Future', 'Thamesmead branch', 'West Hampstead interchange', 'Map', 'Services', 'Stations', 'Former stations', 'Depots', 'Maps', 'History', 'Dams and canals', 'Tributaries', 'See also', 'Footnotes'], ['Geography', 'Adjacent counties', 'Demographics', '2000 census', '2010 census', 'Politics', 'Census-designated places', 'Unincorporated communities', 'Townships', 'Politics, law and government', 'Education', 'Private', 'Public', 'Elementary schools', 'K–8 schools', 'Middle schools', 'Geography', 'Adjacent counties', 'Pueblos with adjacent territories', 'National protected areas', 'Demographics', '2000 census', '2010 census', 'Government', 'References'], ['Route description', 'History', 'Version history', 'PKZIP', 'SecureZIP', '.ZIP file format', 'Compatibility', 'Patents', 'Other products', 'See also', 'Martyrdom of St. Cyprian', 'The Hamat Gader poem', 'Homeric centos', 'Legacy', 'See also', 'References', 'Citations', 'Sources'], ['Description', 'Ecology', 'Classification', 'Selected species'], ['Geography', 'Adjacent counties', 'History', 'Geography', 'Adjacent counties', 'Major highways', 'Demographics', 'Education', 'Public libraries', 'Politics', 'Further reading'], ['Definition', 'Model 1900 and Swiss Luger', 'Swiss Luger', 'Model 1902', 'Navy model', 'Model 1906 (Neues Modell)', '1907 U.S. Pistol Trials', 'Pistole Modell 1908 (P08) and World War I', 'Lange Pistole 08 (Artillery Luger)', 'Luger Rifle M1906', 'Interwar years and commercial production', 'Schools', 'Politics', 'Landmarks and attractions', 'Transportation', 'Communities', 'Cities', 'Villages', 'Charter townships', 'Civil townships', 'Census-designated places']]



['Wikipedia: Laran', 'Wikipedia: Lasa', 'Wikipedia: Bartholomeus Anglicus', 'Wikipedia: Matres and Matronae', 'Wikipedia: Parliament of Canada', 'Wikipedia: Váli', 'Wikipedia: Eastern imperial eagle', 'Wikipedia: Monterey Bay Aquarium', 'Wikipedia: Alabama (disambiguation)', 'Wikipedia: Metztli', 'Wikipedia: NAPLPS', 'Wikipedia: Lincoln County, Wisconsin', 'Wikipedia: Clarendon County, South Carolina', 'Wikipedia: Corinth (disambiguation)', 'Wikipedia: Northern line', 'Wikipedia: Compassion International', 'Wikipedia: Royal Marines', 'Wikipedia: Missaukee County, Michigan']
[['See also', 'References', 'Etymology', 'References', 'Early life', 'Irish mythology', 'References', 'Bibliography'], ['Animals', 'Plants', 'Topography', 'Hiking the trail', 'Navigation', 'Lodging and camping', 'Trail towns', 'Hazards', 'Trail completion', 'Speed records', 'See also', 'References', 'Further reading'], ['References', 'Longstanding transcription error', 'Myths', 'Surgery', 'Photorefractive keratectomy', 'LASIK', 'Phakic intra-ocular lens', 'Orthokeratology', 'Intrastromal corneal ring segment', 'Alternative medicine', 'Epidemiology', 'Asia', 'Europe', 'Taxonomy', 'Description', 'Confusion of species', 'Vocalizations', 'Distribution and habitat', 'Founding and design', 'Aquarium exhibits', 'Seawater system', 'Kelp Forest exhibit', 'Open Sea wing', 'Other permanent exhibits', 'Treatment', 'Epidemiology', 'References'], ['Cellular respiration', 'Catabolism', 'Glycolysis', 'Citric acid cycle', 'Oxidative phosphorylation', 'Mitochondrial ATP synthase complex', 'Blood platelet activation', 'See also', 'References', 'Overview', 'History', 'Specific methods and techniques', 'Applications', 'Organization', 'See also', 'References', 'Transport', 'Culture', 'International relations', 'Twin towns – sister cities', 'Notable people', 'See also', 'References'], ['Mexican traces', 'Legend', 'Otomi mythology', 'See also', 'References', 'History', 'One-way systems', 'Two-way systems', 'Decline', 'Geography', 'Adjacent counties', 'Major highways', 'Ruins', 'Shopping arcades', 'Sporting venues', 'Theatres and concert halls', 'Tourist attractions', 'Former tourist attractions', 'Windmills', 'See also', 'References', 'Demographics', 'Government', 'Board of supervisors', 'Constitutional officers', 'Communities', 'Town', 'Census-designated places', 'Other unincorporated communitiies', 'Notable people', 'See also', 'National protected area', 'Demographics', 'Education', 'Government and infrastructure', 'Politics', 'Communities', 'Cities', 'Unincorporated community', 'Notable people', 'See also', 'Cities', 'Towns', 'Villages', 'Census-designated places', 'Unincorporated communities', 'Politics', 'See also', 'References', 'Further reading'], ['Major highways', 'Airport', 'Communities', 'Cities', 'Towns', 'Census-designated places', 'Ghost towns', 'Politics', 'See also', 'References', 'Communities', 'Cities', 'Towns', 'Unincorporated community===', 'Unorganized territory', 'Politics', 'See also', 'References', 'References'], ['History', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'National protected area', 'Demographics', 'Politics', 'County Commissioners', 'Film', 'Literature', 'Music', 'Albums', 'Songs', 'See also', 'See also', 'References'], ['Background', 'Text', 'Enactment and role of President Clinton', 'Impact', 'Political debate', 'Bush administration', 'Obama administration', 'Government', 'Communities', 'City', 'Villages', 'Townships', 'Census-designated places', 'Unincorporated communities', 'See also', 'References', 'Further reading', 'High schools', 'Alternative schools', 'Post-secondary schools', 'Transportation', 'Major highways', 'Airport', 'See also', 'References', 'Further reading'], ['County council', 'County offices', 'Quality of life', 'Communities', 'Politics', 'See also', 'References'], ['Planned and delayed extensions', 'Past progress', 'Progress delays', 'Current progress and plans', 'Texas', 'Louisiana, Arkansas, and Mississippi', 'Tennessee, Kentucky, and southern Indiana', 'History', 'Original route', 'Extended route', 'References'], ['Official', 'Other', 'History', 'Early British Empire', 'Status and roles', 'World wars', 'Fossil Record', 'Cultivation', 'India', 'Uses', 'Manufacturing', 'Energy', 'Fuel', 'Art and literature', 'Susceptible to termites', 'Land management', 'National protected areas', 'Politics', 'Demographics', '2000 census', '2010 census', 'Communities', 'Cities', 'Town', 'Census-designated places', 'Unincorporated communities', 'Local', 'State', 'Federal', 'Political culture', 'Missouri presidential preference primary (2008)', 'Media', 'Communities', 'Cities', 'Villages', 'Unincorporated communities', 'Examples in practice', 'Tuning enharmonics', 'Pythagorean', 'Meantone', 'Enharmonic genus', 'See also', 'Sources', 'Further reading'], ['World War II production', 'Post-WWII production and assembly', 'Users', 'Non-state entities', 'In fiction', 'See also', 'References', 'Further reading'], ['Other unincorporated communities', 'Notable people', 'See also', 'References', 'Further reading'], []]



['Wikipedia: Losna (mythology)', 'Wikipedia: Branwen', 'Wikipedia: Rind', 'Wikipedia: Adenosine monophosphate', 'Wikipedia: Interstate 68', 'Wikipedia: Carlton Football Club', 'Wikipedia: Nagual', 'Wikipedia: Buddy Cole (character)', 'Wikipedia: Écarté', 'Wikipedia: Henrico County, Virginia', 'Wikipedia: Victoria County, Texas', 'Wikipedia: Karnes County, Texas', 'Wikipedia: Angelina County, Texas', 'Wikipedia: Union County, South Dakota', 'Wikipedia: Columbiana County, Ohio', 'Wikipedia: Person County, North Carolina', 'Wikipedia: Lincoln County, New Mexico', "Wikipedia: Pratt's Bottom", 'Wikipedia: Judith Basin County, Montana', 'Wikipedia: Platte County, Missouri', 'Wikipedia: Baiame', 'Wikipedia: Roseau County, Minnesota']
[['People', 'Other uses', 'Encyclopedia', 'Sources', 'Church positions', 'References'], ['Motifs', 'Function', 'Veneration', 'Legacy', 'See also', 'Notes', 'References', 'Further reading', 'Age records', 'Route', 'Georgia', 'North Carolina', 'Tennessee', 'Virginia', 'West Virginia', 'Maryland', 'Pennsylvania', 'New Jersey', 'Composition', 'Monarch', 'Senate', 'House of Commons', 'Jurisdiction', 'Officers', 'Term', 'Procedure', 'Legislative functions', 'Parentage', 'Footnotes', 'References', 'North America', 'Australia', 'South America', 'History', 'Society and culture', 'Correlations', 'Etymology', 'See also', 'References'], ['Breeding range', 'Migration and wintering range', 'Habitat', 'Dietary biology', 'Interspecies predatory relationships', 'Breeding', 'Breeding success and survivorship', 'Status', 'References'], ['Temporary exhibitions', 'Research and conservation', 'Marine life', 'Great white sharks', 'Seafood program', 'Political advocacy', 'Educational efforts', 'Community and economic influence', 'In media and popular culture', 'Notes and references', 'U.S. places', 'Music', 'People', 'Ships', 'Education', 'Other uses', 'See also', 'Production and degradation', 'Physiological role in regulation', 'AMP-activated kinase regulation', 'cAMP', 'Further reading'], ['History', 'Club history', 'Early history', 'Jack Worrall to World War I', 'Between the wars', '1941–64', 'Etymology', 'Beliefs', 'See also', 'Legacy', 'See also', 'References'], ['Airports', 'Demographics', 'Communities', 'Cities', 'Towns', 'Unincorporated communities', 'Politics', 'See also', 'References'], ['Play', 'Scoring', 'Early 20th century London Rules', 'In popular culture', 'References'], ['History', 'References'], ['History', 'Geography', 'Major highways', 'Adjacent counties'], ['History', 'Geography', 'Geography', 'Major highways', 'Adjacent counties', 'State protected areas===', 'Lakes===', 'Location and description', 'Geography', 'Major Highways', 'Adjacent Counties', 'National protected area', 'Demographics', '2000 census', '2010 census', 'Natural resources', 'Media', 'County Offices', 'Oklahoma House of Representatives', 'Oklahoma Senate', 'Congressional', 'Communities', 'Cities', 'Towns', 'Unincorporated communities', 'See also', 'References', 'Related to Corinth, Greece', 'Places in the United States', 'Other uses', 'See also', 'History', 'Formation', 'Integration', 'Extensions', 'Edgware Extension', 'Morden Extension', 'Great Northern & City Railway', 'Naming', 'Northern Heights plan', 'Intended service levels', 'Congressional intervention', 'Repeal proposals', 'Challenges to Section 3 in Federal court', 'Golinski v. Office of Personnel Management', 'Gill and Massachusetts', 'United States v. Windsor', 'Pedersen v. Office of Personnel Management', 'Other cases', 'Military and veterans cases', 'Bankruptcy court'], ['History', 'Geography', 'History', 'Revolutionary and Civil Wars', 'Late 19th century', 'History', 'Geography', 'Adjacent counties', 'National protected areas', 'Demographics', 'Opposition and controversy', 'Junction list', 'Auxiliary routes', 'See also', 'References', 'Further reading'], ['History', 'Leadership', 'Programs', 'Child sponsorship', 'Ratings and accountability', 'Outcomes', 'References'], ['First World War', 'Between the wars', 'Second World War', 'Post-colonial era', 'Cold War', 'Today', 'Personnel', 'Equipment', 'Formation and structure', '3 Commando Brigade', 'Agriculture', 'Phytoremediation', 'See also', 'References', 'See also', 'References', 'History', 'Townships', 'See also', 'References'], ['Description and history', 'Link with the Christian God', 'Portrayal in the Lake Macquarie Area', 'See also', 'History', 'Geography', 'Transportation', 'Airports', 'Etymology of the name Missaukee', 'History', 'Geography', 'Lakes and rivers', 'Michigan State Highways', 'Adjacent counties', 'Demographics']]



['Wikipedia: Mantus', 'Wikipedia: Murigen', 'Wikipedia: Portishead (band)', 'Wikipedia: Senile (disambiguation)', 'Wikipedia: America, Netherlands', 'Wikipedia: Terry Puhl', 'Wikipedia: Nest', 'Wikipedia: Deamination', 'Wikipedia: Nanahuatzin', 'Wikipedia: Langlade County, Wisconsin', 'Wikipedia: Dithmarschen', 'Wikipedia: Okfuskee County, Oklahoma', 'Wikipedia: Sewing', 'Wikipedia: Interstate 71', "Wikipedia: Morvan's syndrome", 'Wikipedia: Robert Grosseteste']
[['See also', 'References', 'Her story', 'War against Ireland', "Branwen's Grave", 'See also', 'Bibliography', 'Welsh text and editions', 'Secondary sources', 'Adaptations', 'See also', 'References', 'New York', 'Connecticut', 'Massachusetts', 'Vermont', 'New Hampshire', 'Maine', 'Major intersections', 'Management', 'Use in research', 'See also', 'Relationship with the executive', 'Privileges', 'History', 'See also', 'Notes', 'References', 'Citations', 'Sources'], ['Food', 'Other uses', 'People with the name', 'See also', 'See also', 'Geography', 'History', 'Notable people', 'Notes', 'Footnotes', 'References', 'Sources'], ['Nest building', 'Purposes of nesting', 'Structural purposes', 'Social purposes', 'Usage of environment', 'See also', 'References', 'Further reading'], ['Predecessors', 'Cumberland Thruway', 'Corridor E', 'Designation as I-68', 'Incidents', 'Effect on surrounding region', 'Proposed extension', 'Route description', 'West Virginia', 'Maryland', 'Ron Barassi to 1973', '1975–82', '1983–2001', 'Period of struggle (2002–2008)', 'Recent history (2008–present)', 'Club symbols', 'Rivalries', 'Club honour board', 'Carlton Team of the Century', 'Hall of Fame', 'References', 'Bibliography', 'Aztec tradition', 'On The Kids in the Hall', 'After the TV series', 'Fictional biography', 'Reception', 'References'], ['Resources', 'History', 'Geography', 'See also', 'References', 'Literature'], ['County seat', 'American Civil War battle sites', 'Transportation', 'Major Highways', 'Interstates', 'US Highways', 'State Routes', 'Geography', 'Adjacent counties', 'National protected area', 'Demographics', 'Geography', 'Major highways', 'Adjacent counties', 'Politics', 'Communities', 'City', 'Census-designated places', 'Unincorporated Communities', 'See also', 'Demographics', 'Economy', 'Communities', 'Cities', 'Town', 'Unincorporated communities', 'Ghost towns', 'Politics', 'See also', 'References', 'Adjacent counties', 'National protected area', 'Demographics', 'Government and infrastructure', 'County Government', 'Politics', 'Crime', 'Education', 'Primary/Secondary Education', 'Colleges and Universities', 'Demographics', '2000 census', '2010 census', 'Communities', 'Cities', 'Census-designated places', 'Unincorporated communities', 'Ghost towns', 'Townships', 'Unorganized territory', 'Culture', 'Politics', 'Communities', 'City', 'Towns', 'Census-designated place', 'Unincorporated communities', 'Notable people', 'See also', 'References'], ['History', 'Geography', 'History', 'Origins', 'Industrial Revolution', '20th century onward', 'Garment construction', 'Patterns and fitting', 'Progress of works', '1990s refurbishment and upgrade', 'Recent developments', '24-hour weekend service', 'Services', 'Peak', 'Off-peak', 'Night', 'Map', 'Stations', 'Immigration cases', 'Tribunals', 'Challenges to Section 2 in federal court', 'Obergefell v. Hodges', 'See also', 'Notes', 'References', 'Bibliography'], ['Adjacent counties', 'Major highways', 'Demographics', '2000 census', '2010 census', 'Politics', 'Government', 'County Commissioners', 'Other County Offices', 'Judgeships', '20th and 21st centuries', 'Geography', 'Adjacent counties', 'Demographics', 'Communities', 'City', 'Census-designated place', 'Townships', 'Unincorporated communities', 'Politics, law and government', '2000 census', '2010 census', 'Communities', 'City', 'Town', 'Villages', 'Census-designated place', 'Other communities', 'Ghost town', 'Politics', 'Route description', 'Kentucky', 'Ohio', 'History', 'Rebuilding and widening program', 'Exit list', 'Signs and symptoms', 'Insomnia', 'Neuromyotonia', 'Other symptoms', 'Independent elements', 'Structure of a commando', 'Amphibious Task Group', 'Commando Helicopter Force', 'Commando Forces 2030, Maritime Operations Commando & Future Commando Force', 'Selection and training', 'Museum', 'Customs and traditions', 'Uniforms', 'Ranks and insignia', 'History', 'Local Government Elections', 'Transport', 'Nearby Areas', 'References'], ['Geography', 'Adjacent counties', 'National protected area', 'Politics', 'Demographics', '2000 census', '2010 census', 'Communities', 'City', 'Town', 'Geography', 'Adjacent counties', 'Major highways', 'Demographics', 'Education', 'Public schools', 'Private schools', 'Public libraries', 'Politics', 'References'], ['Scholarly career', 'Major highways', 'Adjacent counties and rural municipalities', 'Protected areas===', 'Demographics', '2000 census', 'Government and politics', 'Communities', 'Cities', 'Unincorporated communities', 'Ghost towns', 'Religion', 'Government and politics', 'Elected officials', 'Election history', 'Communities', 'Cities', 'Civil townships', 'Census-designated place', 'Other unincorporated communities', 'See also']]



['Wikipedia: Menrva', 'Wikipedia: Penarddun', 'Wikipedia: Quercus muehlenbergii', 'Wikipedia: University of Miami', 'Wikipedia: Cumberland Games & Diversions', 'Wikipedia: Claudia Schiffer', 'Wikipedia: Diane de Poitiers', 'Wikipedia: Ziemassvētki', 'Wikipedia: Fine art', 'Wikipedia: Telidon', 'Wikipedia: Van Zandt County, Texas', 'Wikipedia: Jones County, Texas', 'Wikipedia: Turner County, South Dakota', 'Wikipedia: Chesterfield County, South Carolina', 'Wikipedia: Rendsburg-Eckernförde', 'Wikipedia: Lea County, New Mexico', 'Wikipedia: Interstate 72', 'Wikipedia: Elmstead, London', 'Wikipedia: Portsmouth, New Hampshire', 'Wikipedia: Jefferson County, Montana', 'Wikipedia: Rock County, Minnesota', 'Wikipedia: Beloit, Wisconsin']
[['References', 'References', 'References'], ['References', 'Description', 'Classification and nomenclature', 'Ecology', 'Soil and topography', 'Associated cover', 'Notes', 'References', 'Citations', 'Works cited', 'Further reading'], ['History', 'Reception', 'References'], ['History', 'Dummy (1994)', 'Portishead (1997)', 'Hiatus (1999–2005)', 'Third (2008)', 'Post-Third (2008–present)', 'Style', 'Discography', 'Awards and nominations', 'Early life', 'Career', 'Modelling', 'Designing', 'Acting and media', 'Gallery', 'See also', 'References', 'Early life', 'Playing career', 'Minor league career', 'Major league career', 'Post-playing career', 'Head coaching record', 'See also', 'References', 'Sculpting', 'Assembly', 'Building Materials', 'Effects on environment', 'Lasting effects', 'Nest builders', 'Birds', 'Mammals', 'Amphibians', 'Fish', 'Deamination reactions in DNA', 'Cytosine', '5-methylcytosine', 'Guanine', 'Adenine', 'Additional proteins performing this function', 'See also', 'References', 'Exit list', 'See also', 'References'], ['Current playing squad', 'Corporate and administration', 'Board of directors', 'Chief Executive Officers', 'Membership', 'Sponsorship', 'Records and achievements', 'Club honours', 'Individual awards', 'John Nicholls Medallists', 'Nanahuatzin and Xolotl', 'Pipil tradition', 'See also', 'Sources', 'History', 'Genesis', 'Telidon development', 'Public testing', 'Telidon becomes NAPLPS', 'Commercial efforts', 'Adjacent counties', 'National protected area', 'Demographics', 'Transportation', 'Major highways', 'Airport', 'Communities', 'City', 'Village', 'Towns', 'Geography', 'Flora and fauna', 'History', 'Culture', 'Traditions', 'Language', 'Architecture', 'Education', 'Economy', 'Climate', 'Demographics', 'Government', 'Law enforcement', 'Fire and EMS', 'Economy', 'Top employers', 'Cost of living', 'Education', 'Communities', 'References'], ['Geography'], ['Geography', 'Major highways', 'Transportation', 'Major highways', 'Bus', 'Airport', 'Communities', 'Cities', 'Census-designated place', 'Unincorporated communities', 'Gallery', 'See also', 'Politics', 'See also', 'References'], [], ['History', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Politics', 'Communities', 'NRHP sites', 'In popular culture', 'See also', 'References', 'Tools', 'Elements', 'Software', 'See also', 'Notes', 'References'], ['Open stations', 'High Barnet branch', 'Edgware branch', 'Camden Town', 'Charing Cross branch', 'Bank branch', 'Kennington', 'Main line', 'Closed stations', 'Permanently closed stations', 'History', 'Geography', 'Coat of arms', 'Towns and municipalities', 'Court of Common Pleas:', 'Court of Common Pleas - Probate Division:', 'County Municipal Court:', 'East Liverpool Municipal Court:', 'Ohio Seventh District Court of Appeals:', 'Ohio State Senator', 'Ohio State Representative', 'United States Representative', 'Education', 'Colleges and universities', 'Elected officials', 'Economy', 'Healthcare', 'Education', 'Higher education', 'Public education', 'Person County School System', 'Charter schools', 'Private education', 'Transportation', 'See also', 'References', 'Geography', 'Auxiliary routes', 'See also', 'References'], ['Comorbid conditions', 'Mechanism', 'Diagnosis', 'Differential diagnosis', 'Treatment', 'Epidemiology', 'References'], ['Associations with other regiments and marine corps', 'See also', 'Notes', 'References', 'Bibliography'], ['History', 'Geography', 'Adjacent municipalities', 'Climate', 'Demographics', 'Government and politics', 'Census-designated place', 'Unincorporated communities', 'Ghost town', 'See also', 'References'], ['Local', 'State', 'Federal', 'Missouri presidential preference primary (2008)', 'Communities', 'Cities', 'Villages', 'Unincorporated communities', 'See also', 'References', 'Bishop of Lincoln', 'Death and burial', 'Reputation and legacy', 'Works', 'Science', 'Veneration', 'Editions', 'Works in translation', 'See also', 'Notes', 'Townships', 'Unorganized territories', 'See also', 'References'], ['References', 'Bibliography', 'Further reading'], []]



['Wikipedia: Nethuns', 'Wikipedia: Euroswydd', 'Wikipedia: Nantosuelta', 'Wikipedia: Amphibious', 'Wikipedia: List of Puerto Ricans', 'Wikipedia: Angelfish', 'Wikipedia: 5-Methylcytosine', 'Wikipedia: Andrews County, Texas', 'Wikipedia: Nowata County, Oklahoma', 'Wikipedia: Władysław I Łokietek', 'Wikipedia: River Tyne (disambiguation)', 'Wikipedia: Canebrake (disambiguation)', 'Wikipedia: Pike County, Missouri', 'Wikipedia: Yalobusha County, Mississippi']
[['Notes', 'References', 'References', 'Reaction to competition', 'Diseases and pests', 'Uses', 'References', 'History', 'Campus', 'Coral Gables campus', 'Student housing', 'Medical campus', 'RSMAS/Marine Campus', 'South and Richmond Campuses', 'Animals', 'See also', 'See also', 'References'], ['Charity work', 'Other work', 'Personal life', 'Filmography', 'Films', 'Documentaries', 'Television', 'Music video', 'See also', 'References', 'Early life', 'Grand Senechal of Normandy', 'Royal favourite', 'Construction projects', 'Later years', 'In popular culture', 'Novels', 'Films', 'Television', 'See also'], ['All article disambiguation pages', 'All disambiguation pages', 'Reptiles', 'Dinosaurs', 'Insects', 'Effects on other species', 'Names of nests', 'See also', 'References'], ['Discovery', 'In vivo', 'In vitro', 'Addition and Regulation with DNMTs (Eukaryotes)', 'Ziemassvētki fir decoration', 'Chronicle news', 'Latvian traditions', 'Ancient Latvian traditions', 'Modern Latvian traditions', 'See also', 'References'], ['Brownlow Medallists', 'League leading goalkickers', 'Norm Smith Medallists', 'Mark of the Year winners', 'Goal of the Year winners', 'Leigh Matthews Trophy winners', 'Australian Football Hall of Fame inductees', 'Individual records', 'Most career goals', 'Most career games', 'Origins and development', 'Cultural perspectives', 'Visual arts', 'Two-dimensional works', 'Painting and drawing', 'Mosaics', 'Printmaking', 'Calligraphy', 'Photography', 'Problems', 'Telidon disappears', 'Legacy', 'See also', 'References', 'Citations', 'Bibliography', 'Further reading'], ['Census-designated places', 'Unincorporated communities', 'Ghost towns/neighborhoods', 'Politics', 'See also', 'References', 'Further reading'], ['Agriculture', 'Energy', 'Tourism', 'Coat of arms', 'Towns and municipalities', 'Twinning', 'Notable residents', 'References', 'Notes'], ['Census-designated places', 'Other communities', 'Former towns', 'Notable person', 'Trivia', 'See also', 'References'], ['History', 'Demographics', 'Transportation', 'Airports', 'Major highways', 'Adjacent counties', 'Government and politics{{Cite web|urlhttps://newtools.cira.state.tx.us/upload/page/2685/docs/Election%20Results/Nov%206%202018/Final%202018%20General.pdf|title=', 'County commissioners{{Cite web|urlhttp://www.vanzandtcounty.org/page/vanzandt.Commissioners.Court|title=', 'County officials', 'Media', 'Adjacent counties', 'Demographics', 'Government and infrastructure', 'Politics', 'Communities', 'Cities', 'Unincorporated communities', 'Notable residents', 'See also', 'References', 'References'], ['Geography', 'Geography', 'Major highways', 'Adjacent counties', 'Protected areas===', 'Lakes===', 'Demographics', '2000 census', '2010 census', 'Culture', 'Adjacent counties', 'National protected area', 'Major highways', 'Demographics', '2000 census', '2010 census', 'Politics', 'Education', 'High schools', 'Middle schools', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'Background', 'Family and "elbow-high" nickname', 'Prince in Kujawy (1267–1288)', 'Death of Leszek the Black and the struggle for control of Krakow (1288–1289)', 'Duke of Sandomierz and war with Wenceslaus II (1289–1292)', 'Collaboration with Przemysł II (1293–1296)', 'Resited stations', 'Abandoned plans', 'Infrastructure', 'Rolling stock', 'Tunnels', 'Depots', 'Future', 'Battersea extension', 'Northern line split', 'Incidents and accidents', 'References'], ['All article disambiguation pages', 'Community, junior, and technical colleges', 'Public school districts', 'High schools', 'Private schools', 'Communities', 'Cities', 'Villages', 'Townships', 'Census-designated places', 'Unincorporated communities', 'Air', 'Major highways', 'Railroad', 'Notable people', 'See also', 'References'], ['Adjacent counties', 'Demographics', '2000 census', '2010 census', 'Transportation', 'Airports', 'Politics', 'Communities', 'Cities', 'Town', 'Route description', 'History', 'Chicago–Kansas City Expressway', 'Four-lane construction', 'Exit list', 'Auxiliary routes', 'Related routes', 'References'], ['All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Place name disambiguation pages', 'History', 'Toponomy', 'Geography', 'Nearby areas', 'Transport', 'Rail', 'Buses', 'Sites of interest', 'Historic house museums', 'Economy', 'Top employers', 'Education', 'Media', 'Print', 'Radio', 'Sports', 'Sister cities', 'Geography', 'Major highways', 'Adjacent counties', 'National protected areas', 'Politics', 'Demographics', '2000 census'], ['History', 'Geography', 'References', 'Further reading'], ['History', 'Geography', 'Lakes', 'Major highways', 'Adjacent counties===', 'Protected areas===', 'Demographics', '2000 census', 'History', 'Historic buildings', 'Downtown Beloit and the riverfront', 'Railroad heritage', 'Geography', 'Climate', 'Demographics', '2010 census', 'Government']]



['Wikipedia: Nortia', 'Wikipedia: Nisien', 'Wikipedia: Nemausus', 'Wikipedia: List of boroughs and census areas in Alaska', 'Wikipedia: Carl Yastrzemski', 'Wikipedia: Shadow Puppets', 'Wikipedia: Sun Yat-sen', 'Wikipedia: Hiram I', 'Wikipedia: Christian rock', 'Wikipedia: Jāņi', 'Wikipedia: William James', 'Wikipedia: Lafayette County, Wisconsin', 'Wikipedia: Shunning', 'Wikipedia: Harrisonburg, Virginia', 'Wikipedia: Johnson County, Texas', 'Wikipedia: Aire', 'Wikipedia: Clark County, Ohio', 'Wikipedia: Perquimans County, North Carolina', 'Wikipedia: Hidalgo County, New Mexico', 'Wikipedia: Don DeLillo', 'Wikipedia: Rockridge', 'Wikipedia: London Borough of Hounslow', 'Wikipedia: Obadele Thompson']
[['Evidence', 'Ritual of the nail', 'References'], ['All articles lacking sources', 'All stub articles', 'Articles lacking sources from December 2009', 'Celtic mythology stubs', 'Welsh mythology', 'Depictions', 'Inscriptions', 'Etymology', 'References'], ['Sustainability', 'Student body', 'Academics', 'Admissions', 'Organization', 'Rankings', 'Libraries', 'Research', 'Student life', 'Athletics', 'List of boroughs', 'Census areas in the Unorganized Borough', 'References', 'Other sources', 'Actors, actresses, comedians and directors', 'Adult film entertainers', 'Hosts/presenters', 'Architects', 'Authors, playwrights and poets', 'Beauty queens and fashion models', 'Business people and industrialists', 'Cartoonists', 'Civil rights and/or political activists', 'Nationalists'], ['Early life', 'Major League career', 'References', 'Sources', 'Further reading'], ['Disambiguation pages', 'Disambiguation pages with short descriptions', 'Fish common name disambiguation pages', 'Short description is different from Wikidata', 'Reign', "Hypotheses regarding the chronology of Hiram's reign", 'The "Tomb of Hiram"', 'In modern fiction', 'Namesakes', 'Demethylation', 'Role in humans', 'In cancer', 'As a biomarker of aging', 'References', 'Literature', 'Title', 'Traditions', 'Use of plants', 'Wreath making', 'VFL/AFL match records', 'Development systems', 'Reserves team', 'Next Generation Academy', "Women's teams", 'History', "AFL Women's team", 'Season summaries', "VFL Women's team", 'See also', 'Three-dimensional works', 'Architecture', 'Pottery', 'Sculpture', 'Conceptual art', 'Poetry', 'Music', 'Performing Arts', 'Dance', 'Theatre', 'Early life', 'Career', 'Family', 'Writings', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Communities', 'Overview', 'Stealth shunning', 'Effects', 'History', 'Newtown', 'Project R4 and R16', 'Infrastructure', 'Culture', 'Newspapers and publications', 'Communities', 'Cities', 'Town', 'Census-designated places', 'Other unincorporated communities', 'Ghost towns', 'See also', 'References', 'Sources'], ['History', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Education', 'Media', 'Communities', 'City', 'Census-designated place', 'Unincorporated communities', 'Ghost towns', 'Communities', 'Cities', 'Towns', 'Unincorporated communities===', 'Townships', 'Politics', 'See also'], ['References', 'Elementary schools', 'Primary schools', 'Recreation', 'Culture', 'Communities', 'Towns', 'Unincorporated communities', 'See also', 'References'], ['Demographics', 'Economy', 'Government', 'Politics', 'Communities', 'NRHP sites', 'References', 'Marriage', 'Initial efforts in Greater Poland (1296–1298)', 'Flight from the country (1299–1304)', 'Recovery of Kujawy, Lesser Poland, and Gdańsk Pomerania (1304–1306)', 'Annexation of Pomerelia by the Teutonic Knights (1307–1309)', 'Coping with internal opposition – Jan Muskata and the rebellion of mayor Albert (1308–1312)', 'Mastering Greater Poland (1309–1315)', 'Coronation (1315–1320)', 'Alliances (1320)', 'Expedition to Russia and the war with Brandenburg (1323–1326)', 'In popular culture', 'Maps', 'See also', 'References', 'Notes', 'Citations', 'Bibliography'], ['All disambiguation pages', 'Disambiguation pages with short descriptions', 'Place name disambiguation pages', 'Short description is different from Wikidata', 'Population ranking', 'Notable residents', 'See also', 'References'], ['Geography', 'Adjacent counties', 'Major highways', 'Demographics', 'Education', 'Communities', 'Census-designated places', 'Other unincorporated communities', 'Notable people', 'See also', 'References', 'Early life and influences', 'Works', '1970s', 'Short description is different from Wikidata', 'Places', 'United States', 'Sport', 'References', 'List of Districts in Hounslow', 'Notable people', 'See also', 'References', 'Further reading'], ['2010 census', 'Communities', 'Towns', 'Census-designated places', 'Unincorporated communities', 'Former communities', 'See also', 'References', 'Adjacent counties', 'Major highways', 'National protected area', 'Demographics', 'Education', 'Public schools', 'Private schools', 'Public libraries', 'Politics', 'Local', 'History', 'Major highways', 'National protected area', 'Demographics', 'Communities', 'City', 'Towns', 'Unincorporated communities', 'Ghost towns', 'Notable people', 'Communities', 'Cities', 'Unincorporated communities', 'Ghost towns', 'Townships', 'In popular culture', 'Government and politics', 'National politics', 'See also', 'References', 'Economy', 'Education', 'Media', 'Culture', 'Festivals', 'Recreation', 'Transportation', 'Transit', 'Routes', 'Roads']]



['Wikipedia: Tages', 'Wikipedia: Efnysien', 'Wikipedia: Nemetona', 'Wikipedia: Aleutians East Borough, Alaska', 'Wikipedia: Athame', 'Wikipedia: Hanga', 'Wikipedia: Are You Being Served?', 'Wikipedia: Val Verde County, Texas', 'Wikipedia: Anderson County, Texas', 'Wikipedia: Balin', 'Wikipedia: Chester County, South Carolina', 'Wikipedia: Noble County, Oklahoma', 'Wikipedia: Victoria line', 'Wikipedia: Luli', 'Wikipedia: Tinus Osendarp', 'Wikipedia: London Borough of Harrow', 'Wikipedia: Winston County, Mississippi', 'Wikipedia: Rice County, Minnesota', 'Wikipedia: Midland County, Michigan']
[['Etymology', 'Legend', 'Etrusca disciplina', 'Role in Welsh tradition', 'Character Analysis', 'In modern media', 'References', 'Football program', 'Baseball program', 'Other sports', "Men's basketball", "Women's basketball", 'Other stadiums', 'People', 'Notable alumni', 'Notable faculty', 'References', 'See also', 'History', 'Geography', 'Clergy, religion', 'Composers, singers, musicians and opera performers', 'Opera', 'Criminals and outlaws', 'Diplomats', 'Educators', 'Governors of Puerto Rico', 'First Ladies of Puerto Rico', 'First Gentleman of Puerto Rico', 'Historians', 'Early career', '1967', 'Later career', 'Retirement', 'Family', 'Career regular season statistics', 'See also', 'Notes', 'Further reading'], ['Plot summary', 'See also', 'References'], ['Names', 'Early years', 'Birthplace and early life', 'Education years', 'Religious views and Christian baptism', 'Transformation into a revolutionary', 'Four Bandits', 'Furen and Revive China Society', 'First Sino-Japanese War', 'See also', 'References', 'Temple', 'History', 'Christian response to early rock music (1950s–1960s)', 'Roots (mid 1960s–1980s)', '1990s–present', 'Definitions', 'Evangelism', 'Festivals', 'Fire', 'Singing', 'Other traditions', 'Witches', 'Fern flowers', 'Broad-mindedness', 'History', 'Similar festive celebration traditions worldwide', 'Literature'], ['Footnotes', 'References'], ['Film', 'Other', 'Academic study', 'Africa', 'Asia', 'Europe', 'South America', 'United States', 'See also', 'References', 'Epistemology', 'Pragmatism and "cash value"', 'Will to believe doctrine', 'Free will', 'Philosophy of religion', 'Mysticism', 'Instincts', 'Theory of emotion', "William James' bear", 'Philosophy of history', 'Cities', 'Villages', 'Towns', 'Census-designated places', 'Other unincorporated communities', 'Politics', 'See also', 'References', 'Further reading'], ['Civil rights implications', 'In religion', 'Christianity', 'Amish', 'Catholicism', "Jehovah's Witnesses", 'Judaism', "Bahá'í faith", 'Church of Scientology', 'See also', 'Historic sites', 'Geography', 'Demographics', 'Politics', 'Education', 'School systems', 'Higher education', 'High schools', 'Middle schools', 'Elementary schools'], ['History', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Education', 'Media', 'Communities', 'Cities (multiple counties)', 'Cities', 'Towns', 'Unincorporated communities', 'Politics', 'See also', 'References'], ['People', 'Places', 'Other uses', 'See also', 'Geography', 'Adjacent counties', 'National protected area', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Politics', 'Failed attempt to master Mazovia (1327–1328)', 'Loss of Dobrzyń (1329)', 'The war with the Teutonic Knights in Kujawy and the Battle of Płowce (1330–1332)', 'Death', 'Legacy and assessment of the ruler', 'Royal titles', 'Family', 'In popular culture', 'Gallery', 'See also', 'History', 'Planning', 'Walthamstow – Victoria', 'Victoria – Brixton', 'Post-opening', 'Music', 'Places', 'Rivers', 'Other', 'See also', 'Geography', 'Adjacent counties', 'Demographics', '2000 census', '2010 census', 'Metropolitan Statistical Area', 'Politics', 'Education', 'Towns', 'Unincorporated communities', 'Notable residents', 'Politics', 'See also', 'References'], ['Geography', 'Adjacent counties and municipios', 'National protected areas', 'Demographics', '2000 census', '2010 census', 'Communities', 'City', '1980s', '1990s', '2000s', '2010s', '2020s', 'Plays', 'Themes and criticism', 'References in popular culture', 'In film', 'In music', 'Canada', 'Schools', 'Other', 'Settlement', 'Economy', 'Demography', 'Ethnicity', 'Attractions, parks and open spaces', 'Political composition', 'History', 'Etymology', 'Foundations', 'Transport', 'Athletics career', 'Junior athletics', '1990–1993', '1994', '1995', 'Senior athletics', '1996', '1997', 'History', 'Demographics', 'Location', 'Ethnicity', 'Religion', 'State', 'Federal', 'Missouri presidential preference primary (2008)', 'Communities', 'Cities', 'Villages', 'Census-designated places', 'Other unincorporated places', 'See also', 'References', 'Politics', 'See also', 'References'], [], ['History', 'Geography', 'Air', 'Recognition', 'Notable people', 'Images', 'References'], []]



['Wikipedia: Tarchon', 'Wikipedia: Bran (disambiguation)', 'Wikipedia: Niamh (mythology)', 'Wikipedia: Hermann Oberth', 'Wikipedia: The Gong Show', 'Wikipedia: Vak', 'Wikipedia: Cleavage', 'Wikipedia: Māras', 'Wikipedia: Ōmeteōtl', 'Wikipedia: La Crosse County, Wisconsin', 'Wikipedia: Maintenance (technical)', 'Wikipedia: Jim Wells County, Texas', 'Wikipedia: Tripp County, South Dakota', 'Wikipedia: Illuminated manuscript', "Wikipedia: Lemierre's syndrome", 'Wikipedia: Pender County, North Carolina', 'Wikipedia: Lewes (disambiguation)', 'Wikipedia: Phelps County, Missouri']
[['Representations of Tages', 'References'], ['References', 'Places', 'Persons', 'Notes', 'References'], [], ['Early life', 'Rocketry and space flight', 'National protected areas', 'Adjacent boroughs and census areas', 'Demographics', 'Government and infrastructure', 'Economy', 'Transportation', 'Communities', 'Cities', 'Census-designated place', 'Other places', 'Journalists', 'Judges, law enforcement and firefighters', 'Military', 'Physicians, scientists and inventors', 'Politicians', 'Sports', 'Taínos', 'Visual artists', 'Miscellaneous', 'Gallery', 'Format', 'Legitimate talent', 'Recurring bits', 'Appearance', 'Use', 'Associations', 'Acquisition', 'Etymology', 'Historical parallels', 'See also', 'References', 'From uprising to exile', 'First Guangzhou uprising', 'Exile in Japan', 'Huizhou uprising in China', 'Further exile', 'Heaven and Earth Society, overseas travel', 'Revolution', 'Tongmenghui', 'Malaya support', 'Siamese support', 'Religion', 'Economy', 'References', 'See also', 'References', 'Further reading', 'References', 'See also', 'Production', 'Programme conception', 'Airing', 'Restoration of the 1972 pilot', 'Theme song', 'International broadcasts', 'Characters and casting', 'Main characters', 'Episodes', 'Film', 'Further reading', 'Definition', 'Critique', 'View on spiritualism and associationism', "James' theory of the self", 'Material self', 'Social self', 'Spiritual self', 'Pure ego', 'Notable works', 'Collections', 'See also', 'References', 'Geography', 'Major highways', 'Airport', 'References', 'Citations', 'Sources', 'Further reading'], ['Private schools', 'Points of interest', 'Events', 'Sports', 'Climate', 'Notable people', 'Born', 'Raised', 'Resident', 'See also', 'Major highways', 'Adjacent counties and municipios', 'National protected areas', 'Demographics', 'Education', 'Government', 'County commissioners', 'Communities', 'City', 'Census-designated places', 'Politics', 'See also', 'References'], ['History', 'Native Americans', 'Settlers', 'County established', 'Geography', 'Major highways', 'Adjacent counties', 'Protected areas', 'Lakes===', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', '2000 census', '2010 census', 'Presidential Election Results', 'Economy', 'Media', 'Communities', 'City', 'Towns', 'Census-designated places', 'Economy', 'Communities', 'City', 'Towns', 'Census-designated place', 'Other unincorporated places', 'NRHP sites', 'References', 'Footnotes', 'References', 'Bibliography'], ['Design', 'Service and rolling stock', 'Facilities', 'Step-free access', 'Ventilation', 'Depot', 'Future', 'Stations', 'See also', 'Notes and references', 'See also', 'References', 'Public school districts', 'Colleges and Universities', 'Communities', 'Cities', 'Villages', 'Townships', 'Census-designated places', 'Unincorporated communities', 'See also', 'References', 'History', 'Geography', 'Adjacent counties', 'Protected areas', 'Major highways', 'Demographics', 'Village', 'Census-designated places', 'Unincorporated communities', 'Ghost towns', 'Politics', 'See also', 'References'], ['In publications', 'In reviews', 'Bibliography', 'Novels', 'Short fiction', 'Collections', 'Short stories', 'Screenplays', 'Essays and reporting', 'Awards and award nominations', 'Sporting career', 'Later life', 'Competition record', 'References', 'Air', 'River', 'Road', 'Rail and London Underground', 'Travel to work', 'Education', 'Football Clubs', 'Twinning', 'People from Hounslow', 'Freedom of the Borough', 'Professional athletics career', '1998', '1999', '2000', 'Injury years', '2001', '2002–2009', 'Personal life', 'Recognition in Barbados', 'Civic involvement', 'Other', 'Arts and culture', 'Economy', 'Crime', 'Sport and leisure', 'Governance', 'Education', 'Notable residents', 'Districts and postcodes', 'Transport'], ['History', 'Civil War', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'National protected area', 'Demographics', 'Communities', 'Cities', 'Town', 'Major highways', 'Adjacent counties', 'Protected areas===', 'Lakes===', 'Demographics', '2000 census', 'Parks and recreation', 'Communities', 'Cities', 'Census-designated place', 'History', 'Early history', '19th century', 'Civil War', '20th century', 'World War 1', 'World War 2']]



['Wikipedia: Tyrrhenus', 'Wikipedia: Matholwch', 'Wikipedia: Oisin', 'Wikipedia: Mark Taylor (cricketer)', 'Wikipedia: Wave (audience)', 'Wikipedia: Þrúðgelmir', 'Wikipedia: Book of Shadows', 'Wikipedia: Interstate 20', 'Wikipedia: Demethylation', 'Wikipedia: British comedy', 'Wikipedia: Opochtli', "Wikipedia: It's My Party", 'Wikipedia: Hanover County, Virginia', 'Wikipedia: Uvalde County, Texas', 'Wikipedia: Cherokee County, South Carolina', 'Wikipedia: Muskogee County, Oklahoma', 'Wikipedia: Piccadilly line', 'Wikipedia: Champaign County, Ohio', 'Wikipedia: Harding County, New Mexico', 'Wikipedia: Interstate 73', 'Wikipedia: Gates McFadden', 'Wikipedia: Erith', 'Wikipedia: Purley, London', 'Wikipedia: Renville County, Minnesota']
[['Dodecapoli', 'References', 'References', 'Characters', 'Other', 'See also', 'Summary', 'Modern text', 'Medieval version', 'Explanatory notes', 'References', 'Later life', 'Legacy', 'Books', 'See also', 'References'], ['See also', 'References'], ['See also', 'References', 'Attestations', 'Personnel', 'Barris as emcee', 'Musical direction', 'Announcers', 'Hostesses', 'Broadcast history', 'NBC', 'Popsicle Twins incident', 'Cancellation', 'Finale'], ['History', 'Origins', 'Zhennanguan uprising', 'Anti-Sun movements', '1911 revolution', 'Republic of China with multiple governments', 'Provisional government', 'Beiyang government', 'Nationalist party and Second Revolution', 'Political chaos', 'Path to Northern Expedition', 'Guangzhou militarist government', 'See also', 'Route description', 'Texas', 'Science', 'Anatomy', 'Other uses', 'See also', 'History', 'Film comedy', 'Radio', 'Television', 'The Best of Are You Being Served? (1992)', '2016 revival', 'Other adaptations', 'Spin-off', 'Play', 'American adaptation', 'Australian adaptation', 'Reception', 'Merchandise', 'DVD releases', 'Notes', 'References', 'Sources', 'Notes', 'Citations', 'Sources', 'Further reading'], ['Adjacent counties', 'Climate', 'Demographics', 'Government', 'Politics', 'Communities', 'Cities', 'Villages', 'Towns', 'Census-designated places', 'Definitions', 'Types', 'Preventive maintenance', 'Planned maintenance', 'Predictive maintenance', 'Challenges', 'Value potential', 'References and notes'], ['History', 'Unincorporated communities', 'Notable people', 'See also', 'References'], ['Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Government and politics', '1948 U.S. Senate election', 'Communities', 'Cities', 'Village', 'Demographics', 'Government, courts, and politics', 'Government', 'County commissioners====', 'County officials====', 'Constables====', 'State prisons', 'Courts', 'Justices of the peace====', 'County court at law ====', 'Protected areas===', 'Lakes===', 'Demographics', '2000 census', '2010 census', 'Communities', 'City', 'Town===', 'Census-designated place', 'Unincorporated communities', 'Unincorporated communities', 'Notable residents', 'See also'], ['References', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'National protected area', 'History', 'Techniques', 'Text', 'The process of illumination', 'Paints', 'Gilding', 'Patrons of illumination', 'Gallery', 'See also', 'Notes', 'References'], ['Signs and symptoms', 'Cause', 'Pathophysiology', 'Diagnosis', 'Treatment', 'Prognosis', 'Epidemiology', 'History'], ['Geography', 'Adjacent counties', 'Law and government', 'Presidential Voting History', 'Communities', 'Towns', 'Village', 'Census-designated places', 'Unincorporated communities', 'Townships', 'Notable people', 'See also', 'Geography', 'Adjacent counties', 'National protected area', 'Demographics', '2000 census', 'Further reading', 'References'], ['Places', 'People', 'Other uses', 'See also', 'Individuals', 'Military Units', 'See also', 'Notes and references'], ['Notable public features', 'Personal bests', 'Performances at international competitions', 'NCAA titles', 'References'], ['Town twinning', 'Freedom of the Borough', 'Individuals', 'Military Units', 'See also', 'References'], ['University', 'Other towns', 'Geography', 'Adjacent counties', 'Major highways', 'Other geographical features', 'Demographics', 'Religion', 'Politics', 'Local', 'Unincorporated communities', 'Ghost towns', 'Education', 'Politics', 'Notable people', 'See also', 'References', 'Unincorporated communities', 'Townships', 'Politics', 'See also', 'References'], ['Cold War', '21st century', 'Geography', 'Adjacent counties', 'Transportation', 'Highways', 'Airports', 'Public transportation', 'Demographics', 'Religion']]



['Wikipedia: Thalna', 'Wikipedia: Gwern', 'Wikipedia: Enbarr', 'Wikipedia: Coming Up for Air', 'Wikipedia: Joanna Lumley', 'Wikipedia: Aratus', 'Wikipedia: Patecatl', 'Wikipedia: Kewaunee County, Wisconsin', 'Wikipedia: Jim Hogg County, Texas', 'Wikipedia: Todd County, South Dakota', 'Wikipedia: Nils Gabriel Sefström', 'Wikipedia: Rendsburg', 'Wikipedia: Pamlico County, North Carolina', 'Wikipedia: Guadalupe County, New Mexico', 'Wikipedia: COWSEL', 'Wikipedia: Wilkinson County, Mississippi']
[['See also', 'References', 'See also', 'Role in Welsh tradition', 'Background', 'People with the name', 'See also', 'Early years', 'International career', 'Test career', 'Record-breaking start', 'Inconsistent form', 'Taylor and Slater', 'Captaincy', 'Origins and variations', '1970s–1980s', 'University of Washington', 'University of Michigan', 'Global broadcasts', '1984 Olympic football final', '1986 FIFA World Cup in Mexico', 'Singapore', 'Current appearances', 'Metrics', 'Notes', 'References', 'Background', 'Syndicated (1976–80)', 'Later incarnations', '2017 revival', 'Film', 'International versions', 'Spinoffs', 'See also', 'References'], ["Valiente's rewriting", 'In British Traditional Wicca', 'Contemporary usage', 'Publication', 'In Eclectic Wicca', 'Other traditions', 'In popular culture', 'References', 'Notes', 'Footnotes', 'KMT–CPC cooperation', 'Finance concerns', 'Final speeches', 'Illness and death', 'Legacy', 'Power struggle', 'Cult of personality', 'Father of the Nation', '"Forerunner of the revolution"', 'Economic development', 'Louisiana', 'Mississippi', 'Alabama', 'Georgia', 'South Carolina', 'History', 'Future', 'Junction list', 'Auxiliary routes', 'See also', 'In biochemistry', 'In organic chemistry', 'O-demethylation', 'N-demethylation', 'See also', 'References', 'See also', 'References', 'Early life', 'See also', 'Notes', 'References'], [], ['References', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'Unincorporated communities', 'Notable people', 'See also', 'References', 'Further reading'], ['Advantages and disadvantages', 'Corrective', 'Predictive', 'See also', 'References', 'Bibliography', 'Further reading', 'Sources', 'Geography', 'Adjacent counties', 'Major highways', 'Demographics', 'Government', 'Board of supervisors===', 'Constitutional officers', 'Education', 'Economy', 'Communities', 'History', 'Native Americans', 'Early explorations', 'Early settlements', 'County established and growth', 'Desegregation', '2017 church bus crash', 'Geography', 'Census-designated places', 'Other unincorporated communities', 'See also', 'References'], ['District courts====', 'Politics', 'Education', 'Media', 'Communities', 'City', 'Towns', 'Unincorporated areas', 'Ghost towns===', 'See also', 'Townships', 'Unorganized territory', 'Politics', 'See also', 'References', 'History', 'Geography', 'Mountain peaks', 'Adjacent counties', 'National protected area', 'Demographics', '2000 census', '2010 census', 'Government', 'Demographics', 'Politics', 'Economy', 'Education', 'Communities', 'Cities', 'Towns', 'Census-designated places', 'Other unincorporated place', 'References', 'Further reading'], ['Images', 'Resources', 'Route', 'Map', 'History', 'Extension to Cockfosters', 'Westward extensions', 'Modernisation, World War II and Victoria line', 'Extension to Heathrow Airports', 'Notable incidents and events, Aldwych branch closure', 'Architecture', 'Services', 'References'], ['History', 'Demographics', '2000 census', '2010 census', 'Politics', 'Communities', 'City', 'Villages', 'Townships', 'Census-designated place', 'Unincorporated communities', 'References'], ['History', '2010 census', 'Communities', 'Politics', 'See also', 'References', 'Route description', 'South Carolina', 'North Carolina', 'Virginia', 'West Virginia', 'Ohio', 'Michigan', 'History', 'Future', 'See also', 'Early life', 'Career', 'Early work', 'Star Trek: The Next Generation', 'Season 1', 'Seasons 3–7', 'After The Next Generation', 'Personal life', 'History', 'Pre-medieval', 'Anglo-Saxons', 'Medieval', 'Industrial era', '20th century', 'Regeneration', 'Geography', 'History', 'Toponymy', 'Local government', 'Aviation', 'Suburban growth', 'Education', 'Retail and commerce', 'Example code', 'See also', 'References'], ['State', 'Federal', 'Political culture', 'Missouri presidential preference primary (2008)', 'Education', 'Public schools', 'Private schools', 'Alternative & vocational schools', 'Colleges & universities', 'Public libraries', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'National protected area', 'State protected area', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'Lakes===', 'Protected areas===', 'Demographics', 'Politics', 'Government', 'Elected officials', 'Board of Commissioners', 'Communities', 'Cities', 'Village', 'Charter townships', 'Civil townships', 'See also']]



['Wikipedia: Tinia', 'Wikipedia: Brân the Blessed', 'Wikipedia: Aleutians West Census Area, Alaska', 'Wikipedia: Cate Tiernan', 'Wikipedia: Edam, Netherlands', 'Wikipedia: Flag of Belgium', 'Wikipedia: Gene knockout', 'Wikipedia: Painal', 'Wikipedia: Inside Monkey Zetterland', 'Wikipedia: The Championships, Wimbledon', 'Wikipedia: Wilson County, Tennessee', 'Wikipedia: Murray County, Oklahoma', 'Wikipedia: Eastern Air Lines', 'Wikipedia: Louisville (disambiguation)', 'Wikipedia: Carroll County, Ohio', 'Wikipedia: Interstate 74', 'Wikipedia: Big Four', 'Wikipedia: London Borough of Waltham Forest', 'Wikipedia: Pettis County, Missouri', 'Wikipedia: Menominee County, Michigan']
[['Inscriptions', 'References', 'Death', 'Aftermath', 'The Battle of the Trees', 'References', 'Forms', 'Etymology', 'In romance', 'Pop Culture', 'Explanatory notes', 'References', 'Caribbean tour 1995', 'Controversy with Sri Lanka', 'Almost retired', 'Dual teams', 'Record equalled', 'Final season', 'Legacy', 'Career best performances', 'Retirement', 'References', 'Records', 'References'], ['Plot summary', 'Characters', 'Style', 'Critical responses', 'See also', 'References'], ['Life', 'Works', 'Bibliography', 'The Princess Trilogy', 'Bibliography'], ['History', 'Family', 'Cultural references', 'Memorials and structures in Asia', 'Gallery', 'Memorials and structures outside of Asia', 'In popular culture', 'Opera', 'TV series and films', 'Performances', 'Controversy', 'References'], ['Previous flags', 'Methods', 'Homologous recombination', 'Site-specific nucleases', 'Zinc-fingers', 'TALENS', 'CRISPR/Cas9', 'Career', 'Major roles', 'Media work', 'Activism', 'Gurkha Justice Campaign', 'Work for Survival International', 'Patron of CHANCE for Nepal', 'Patron of Population Matters', 'Patron of Tree Aid', 'Patron of PENHA', 'Life', 'Tomb', 'Writings', 'Phenomena', 'Diosemeia', 'Later influence', 'See also', 'Notes', 'References', 'All articles lacking sources', 'All stub articles', 'Articles containing Classical Nahuatl-language text', 'Articles lacking sources from July 2009', 'Plot', 'Release and critical reception', 'Cast', 'References'], ['Fishing and boating', 'Parks and other lands open to the public', 'Species lists and coastal wetlands', 'Plants', 'Snails', 'Birds', 'Cattle and deer', 'History', 'Beginning', '21st century', 'Events', 'Main events', 'Town', 'Census-designated places', 'Other unincorporated communities', 'Notable natives and residents', 'See also', 'References'], ['Major highways', 'Adjacent counties', 'Demographics', 'Communities', 'Cities', 'Census-designated places', 'Other unincorporated community', 'Politics', 'See also', 'References', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Politics', 'Education', 'Communities', 'Further reading', 'References'], ['History', 'Geography', 'Major highways', 'Adjacent counties', 'Protected areas===', 'Lakes===', 'Demographics', '2000 census', 'Transportation', 'Healthcare', 'Cherokee Medical Center', 'Gibbs Cancer Center & Research Institute at Gaffney', 'Immediate Care Center – Gaffney', 'Medical Group of the Carolinas', 'Entertainment', 'Nuclear power plant', 'Communities', 'Cities', 'Notable people', 'NRHP sites', 'References', 'References', 'Further reading', 'Historical services', 'Rolling stock', 'Historical tube stocks', 'Infrastructure', 'Signalling and electricity', 'Depots and sidings', 'Station lifts and escalators', 'List of stations', 'Open stations', 'Main branch', 'Main sights', 'Notable residents, sons and daughters of Rendsburg', 'International relations', 'Friendship agreements', 'References'], ['Notable people', 'See also', 'References'], ['Geography', 'Adjacent counties', 'Major highways', 'Demographics', 'Communities', 'Towns', 'Census-designated place', 'Unincorporated communities', 'Law and government', 'See also', 'History', 'Geography', 'Adjacent counties', 'Demographics', '2000 census', '2010 census', 'Communities', 'City', 'References'], ['Route description', 'Filmography', 'Film', 'Television', 'Theatre', 'References'], ['Demography', 'Representation', 'Amenities', 'Notable people', 'Places of worship', 'Transport', 'Buses', 'Rail', 'Road', 'References', 'Demography', 'Politics', 'Fictional references', 'Notable residents', 'Transport', 'Nearest railway stations', 'Nearest places', 'See also', 'References'], ['History', 'Early History', 'Preservation of Epping Forest', 'Urbanisation', 'Industrial Firsts', 'Communities', 'See also', 'References', 'Further reading'], ['Demographics', 'Education', 'Communities', 'Towns', 'Unincorporated communities', 'Ghost towns', 'Notable people', 'Politics', 'See also', 'References', '2000 census', 'Communities', 'Cities', 'Unincorporated communities', 'Ghost towns', 'Townships', 'Politics', 'See also', 'References'], ['References'], ['Geography']]



['Wikipedia: Thesan', 'Wikipedia: Plor na mBan', 'Wikipedia: Nodens', 'Wikipedia: Ductility', 'Wikipedia: Bergelmir', 'Wikipedia: Yvelines', 'Wikipedia: Tlālōcān', 'Wikipedia: Debi Mazar', 'Wikipedia: Hampton, Virginia', 'Wikipedia: Existential quantification', 'Wikipedia: Jefferson County, Texas', 'Wikipedia: Providence', 'Wikipedia: Orange County, North Carolina', 'Wikipedia: Grant County, New Mexico', 'Wikipedia: Darkwing Duck', 'Wikipedia: Putney', 'Wikipedia: Webster County, Mississippi', 'Wikipedia: Redwood County, Minnesota']
[['Etymology', 'Curse of Aphrodite', 'Depictions of Thesan/Eos', 'with Cephalus', 'with Memrun (Memnon)', 'Role in the Mabinogion', 'Role in “Branwen, Daughter of Llŷr”', 'Other associations', 'Name', 'Notes', 'References', 'References', 'Further reading'], ['Materials science', 'Geography', 'National protected areas', 'Demographics', 'Communities', 'Cities', 'Census-designated places', 'Military base', 'See also', 'References'], ['Name', 'Attestations', 'Theories', 'Notes', 'References', 'American Gold Gymnasts Miniseries', 'The Disney Girls Series', 'The Sweep series (writing as Cate Tiernan)', 'Balefire (writing as Cate Tiernan)', 'Immortal Beloved (trilogy as Cate Tiernan)', 'Birthright (writing as Cate Tiernan)', 'References'], ['The old city centre', 'St. Nicolas church', 'The Town Hall', 'The Edam Museum', 'Carillon', 'Cheese Market', 'References'], ['Images', 'New Three Principles of the People', 'KMT emblem removal case', 'Father of Independent Taiwan issue', 'Works', 'See also', 'Notes', 'References', 'Further reading'], ['Independence and adoption of current flag', 'Design and specifications', 'Variants', 'National flag and civil ensign', 'Naval ensign and jack', 'Royal standard and flags on the royal palaces', 'Protocol', 'Related flags', 'See also', 'References', 'Knockin', 'Types', 'Conditional knockouts', 'Use', 'See also', 'References'], ['Patron of Peter Pan Moat Brae Trust', 'Patron of Earth Restoration Service', 'Patron of Trust in Children', 'Patron of The Friends of Kadzinuni', 'Vice Patron of The Gurkha Welfare Trust', 'Research fellowship', 'Influence', 'Personal life', 'Honours', 'Awards', 'Further reading'], ['History', 'Aztec gods', 'Mesoamerican mythology stubs', 'Nahuatl words and phrases', 'Early life', 'Career', 'Personal life', 'Filmography', 'Foods, agritourism, and alcohol', 'Arts', 'Crops', 'Geography', 'Adjacent counties', 'Transportation', 'Major highways', 'Rustic road and quilt trail', 'Non-motorized', 'Airport', 'Junior events', 'Invitation events', 'Match formats', 'Schedule', 'Players and seeding', 'Grounds', 'Bank of England Sports Centre', 'Traditions', 'Ball boys and ball girls', 'Colours and uniforms', 'History', 'Colonial history', 'Post-colonial history', 'Modern military history', 'Langley AFB during the Vietnam War', 'Geography', 'Further reading'], ['Basics', 'Census-designated places', 'Other unincorporated communities', 'See also', 'References'], ['History', 'Geography', 'Adjacent counties', 'State protected areas', 'Major highways', 'Demographics', '2010 census', '2000 census', 'Education', 'Communities', '2010 census', 'Communities', 'City', 'Town', 'Census-designated places', 'Unincorporated communities===', 'Unorganized territories', 'Politics', 'See also', 'References', 'Towns', 'Census-designated place', 'Other unincorporated communities', 'Politics', 'See also', 'References'], ['History', 'Geography', 'Major highways', 'Protected areas', 'Adjacent counties', 'Demographics', 'Politics', 'Economy', 'Communities', 'See also', 'History', 'Origins', 'Growth under Rickenbacker', 'The Jet Age', 'Turmoil', 'Sale to Texas Air', 'Company Slogans', 'Destinations', 'Fleet', 'Heathrow branch', 'Uxbridge branch', 'Closed stations', 'Future upgrade and proposals', 'See also', 'Geographical locations', 'Notes and references', 'Notes', 'References', 'Bibliography', 'Cities and communities', 'Other uses', 'See also', 'History', 'Geography', 'Adjacent counties', 'Major Highways', 'Demographics', '2000 census', '2010 census', 'Politics', 'Government', 'References'], ['History', 'Town', 'Census-designated places', 'Politics', 'See also', 'References'], ['Iowa', 'Illinois', 'Indiana', 'Ohio', 'North Carolina', 'Future', 'Southeast extension', 'Junction list', 'Auxiliary routes', 'See also', 'Groups of companies', 'Groups of people', 'Groups in sport', 'Other groups', 'Arts, entertainment and media', 'Places', 'Other uses'], ['Premise', 'Episodes', 'History', 'River crossing', "St Mary's Church", 'Air Raids in World War One', 'Blitz - World War Two', 'Creation of the modern Borough', 'Settlement', 'Ethnicity', 'Open Spaces', 'Arts, culture and leisure', 'Housing', 'Olympics', 'Education', 'Geography', 'Adjacent counties', 'Major highways', 'Demographics', 'Education', 'Public schools', 'Private schools', 'Post-secondary'], ['History', '20th century to present', 'History', 'Geography', 'Airports===', 'Major highways', 'Airport', 'Adjacent counties', 'Demographics', 'Government', 'Elected officials', 'Communities', 'Cities', 'Villages', 'Civil townships']]



['Wikipedia: Tuchulcha', 'Wikipedia: Brea', 'Wikipedia: Exchange, West Virginia', 'Wikipedia: Leleti Khumalo', 'Wikipedia: Wirehaired Pointing Griffon', 'Wikipedia: Gangleri', 'Wikipedia: Lattice C', 'Wikipedia: Pulitzer Prize for Biography or Autobiography', 'Wikipedia: Sheffield', 'Wikipedia: Upskirt', 'Wikipedia: Tepēyōllōtl', 'Wikipedia: Buzzkill (TV series)', 'Wikipedia: Sully County, South Dakota', 'Wikipedia: Charleston County, South Carolina', 'Wikipedia: McIntosh County, Oklahoma', 'Wikipedia: 12 Angry Men (1957 film)', 'Wikipedia: Culloden', 'Wikipedia: Arvo Pärt', 'Wikipedia: Mecosta County, Michigan']
[['with Usil and Nethuns', 'Persistence', 'See also', 'References'], ['Mythology', 'People', 'Places', 'Fictional characters', 'Other uses', 'See also', 'Etymology', 'Centres of worship', 'The Lydney Park complex', 'Others', 'The surnames Ó Nuadhain, Noon/Noone, and Noonan', 'Mythological parallels', 'In fiction', 'Ductile–brittle transition temperature', 'See also', 'References'], ['Early life and Sarafina!', 'Subsequent roles', 'Filmography', 'Appearance', 'History', 'Health and temperament', 'Shedding', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'Reception', 'References'], ['Winners', '1910s', '1920s', '1930s'], ['History', 'Governance', 'Social attitudes', 'Safety shorts', 'Legal position', 'Australia', 'Finland', 'Germany', 'Filmography', 'Film', 'Television', 'Theatre', 'Books', 'As author', 'As subject', 'Home Media', 'References'], ['Geography', 'Principal towns', 'Demographics', 'Place of birth of residents', 'Tourism', 'Palaces and châteaux', 'Museums', "Artists' and writers' houses", 'Parks and gardens', 'Politics', 'Aztecs', 'Teotihuacan', 'Contemporary Nahuas', 'See also', 'Notes', 'References', 'Film', 'Television', 'Video games', 'Music videos', 'References'], ['Demographics', '2000 census', 'Population dynamics', 'Marriages', 'Religion', 'Public health', 'Pollution', 'Radio stations', 'Communities', 'Cities', 'Referring to players', 'Royal family', 'Services stewards', 'Tickets', 'Sponsorship', 'Media', 'Radio Wimbledon', 'Television coverage', 'United Kingdom', 'Ireland', 'Neighborhoods', 'Climate', 'Demographics', 'Arts and culture', 'Arts and Museums', 'Libraries', 'Points of interest', 'Sports', 'Government', 'Local', 'Properties', 'Negation', 'Rules of Inference', 'The empty set', 'As adjoint', 'HTML encoding of existential quantifiers', 'See also', 'Notes', 'References', 'Geography', 'Major highways', 'Adjacent counties and parishes', 'National protected areas', 'Demographics', 'Government and politics', 'County', 'State', 'Cities', 'Town', 'Census-designated places', 'Other unincorporated communities', 'Former community', 'Notable people', 'Politics', 'See also', 'References'], ['Geography', 'Major highways', 'Adjacent counties', 'Geography', 'Adjacent counties', 'National protected areas', 'Demographics', '2000 census', '2010 census', 'References', 'History', 'Geography', 'Eastern Express, Eastern Metro Express, Eastern Partner and Caribair', 'Accidents and incidents', 'Fatal accidents', 'Non-fatal accidents and incidents', 'Hijackings', 'New Eastern Air Lines', 'See also', 'References', 'Notes', 'Bibliography'], ['Plot', 'Cast', 'Entertainment', 'Film and television', 'Music', 'Literature', 'Places', 'United States', 'Schools', 'Office holders', 'Economy', 'Culture', 'Education', 'Public school districts', 'High schools', 'Communities', 'Villages', 'Townships', 'Census-designated place', 'Colonial period and Revolutionary War', 'University of North Carolina', '19th century', '20th century', 'Geography', 'Adjacent counties', 'Major highways', 'Demographics', 'Communities', 'Cities', 'Geography', 'Adjacent counties', 'National protected area', 'Demographics', '2000 census', '2010 census', 'Communities', 'References'], ['Geography', 'Demographics', '2000 census', '2010 census', 'Communities', 'Cities', 'Census-designated places', 'Other unincorporated places', 'Politics', 'Education', 'Transportation', 'See also', 'Life', 'Musical development', 'Characters', 'Production', 'Broadcast history', 'Home media', 'VHS releases', 'UK, Australia and New Zealand releases', 'DVD releases', 'Video on demand', 'United States', 'International', 'Open spaces and clean air', 'Putney Heath', 'Local character', 'Demographics', 'Politics', 'Rowing and the Boat Race', 'Sculpture', 'Putney Sculpture Trail', 'Historic links to sculpture and sculptors', 'Transport', 'Public libraries', 'Politics', 'Local', 'State', 'Federal', 'Political culture', 'Communities', 'See also', 'References'], ['Geography', 'Major highways', 'Adjacent counties', 'National protected area', 'Demographics', 'Communities', 'City', 'Towns', 'Villages', 'Unincorporated communities', 'Major highways', 'Adjacent counties', 'Lakes===', 'Protected areas===', 'Demographics', '2000 census', 'Communities', 'Cities', 'Unincorporated Communities===', 'Townships', 'Unincorporated communities', 'Indian reservations', 'See also', 'References'], []]



['Wikipedia: Turan', 'Wikipedia: Breg (river)', 'Wikipedia: MISTRAM', 'Wikipedia: Don Bradman', 'Wikipedia: Bethel Census Area, Alaska', 'Wikipedia: Government of the British Virgin Islands', 'Wikipedia: Oden', 'Wikipedia: 519 BC', 'Wikipedia: Miķeļi', 'Wikipedia: Corinthian (comics)', 'Wikipedia: Tlaltecuhtli', 'Wikipedia: Hannover-Nordstadt', 'Wikipedia: Upton County, Texas', 'Wikipedia: Williamson County, Tennessee', 'Wikipedia: Restoree', 'Wikipedia: Yalta Conference', 'Wikipedia: Butler County, Ohio', 'Wikipedia: Roehampton', 'Wikipedia: Perry County, Missouri', 'Wikipedia: Wayne County, Mississippi', 'Wikipedia: Red Lake County, Minnesota']
[['References', 'Description', 'Tributaries', 'References', 'References'], ['Principles of operation', 'Toponymy', 'References'], ['References'], ['Geography', 'See also', 'References'], ['Regional variations', 'Japan', 'Outside Japan', 'Events', 'By place', 'China', 'Births', '1940s', '1950s', '1960s', '1970s', '1980s', '1990s', '2000s', '2010s', '2020s', 'Repeat winners', 'Geography', 'Climate', 'Green belt', 'Subdivisions', 'Skyline', 'Demographics', 'Economy', 'Transport', 'National and international travel', 'Road', 'India', 'Japan', 'New Zealand', 'Singapore', 'United Kingdom', 'England and Wales', 'Scotland', 'Northern Ireland', 'United States', 'See also', 'Title', 'Holiday traditions', 'Collecting Jumis', 'Current National Assembly Representatives', 'Senators', 'See also', 'References'], ['References', 'Premise', 'Episode guide'], ['Villages', 'Towns', 'Census-designated places', 'Unincorporated communities', 'History', 'Gallery', 'Politics', 'Notable people', 'See also', 'Notes', 'Americas', 'Other countries', 'Trophies and prize money', 'Trophies', 'Prize money', 'Ranking points', 'Champions', 'Past champions', 'Current champions', 'Records', 'Federal', 'Education', 'Colleges and universities', 'Media', 'Infrastructure', 'Transportation', 'Roads and Highways', 'Local and regional public transportation', 'Intercity bus service', 'Amtrak', 'History', 'Native Americans', 'Trails', 'Establishment of the county', 'Federal', 'Presidential elections', 'Economy', 'Education', 'Communities', 'Cities', 'Census-designated places', 'Unincorporated areas', 'See also', 'References', 'History', 'Pre-Civil War', 'Civil War', 'Protected areas===', 'Lakes===', 'Demographics', '2000 census', '2010 census', 'Communities', 'City', 'Town', 'Census-designated place', 'Unorganized territories', 'Government', 'Politics', 'Emergency services', 'Volunteer Rescue Squad', 'EMS And Local Hospitals', 'Recreation', 'Communities', 'Districts', 'Notable residents', 'See also', 'Major highways', 'Adjacent counties', 'Demographics', 'Politics', 'Economy', 'Communities', 'Cities', 'Towns', 'Census-designated places', 'Unincorporated communities'], ['Origin', 'Plot summary', 'Production', 'Reception', 'Initial response', 'Legacy', 'Awards', 'Cultural influences', 'See also', 'Notes', 'References', 'Further reading', 'Ships', 'Other uses', 'See also', 'Unincorporated communities', 'See also', 'References'], ['Towns', 'Census-designated place', 'Townships', 'Unincorporated communities', 'Law and government', 'Politics', 'Education', 'Notable people', 'See also', 'References', 'City', 'Towns', 'Village', 'Census-designated places', 'Unincorporated communities', 'Politics', 'See also', 'References', 'Further reading', 'Canada', 'United Kingdom', 'United States', 'Historical events', 'Institutions', 'People', 'Popular culture', 'Ships', 'Air', 'Railroads', 'Train', 'Entertainment', 'See also', 'Notes', 'References'], ['Compositions', 'Reception, awards and recent compositions', 'Awards', 'See also', 'References', 'Citations', 'Sources', 'Further reading'], ['Reception', 'Awards and nominations', 'In other media', 'Video games', 'Comic books', 'BOOM! Studios', 'Joe Books', 'IDW Publishing', 'Comic creatorship', 'Theme parks', 'Quotes', 'Notable residents', 'Nearest places', 'References'], ['History', 'Early Native Americans', 'French and Spanish rule', 'Politics', 'See also', 'References', 'Politics', 'See also', 'Footnotes', 'Further reading'], ['History', 'Ice Mountain bottling plant', 'Geography', 'National protected area', 'Adjacent counties', 'Demographics', 'Transportation', 'Bus service']]



['Wikipedia: Turms', 'Wikipedia: Elatha', 'Wikipedia: Gilles Villeneuve', 'Wikipedia: Bristol Bay Borough, Alaska', 'Wikipedia: Beyla', 'Wikipedia: Jennifer Saunders', 'Wikipedia: Interstate 90', 'Wikipedia: Tlillan-Tlapallan', 'Wikipedia: Herrenhausen', 'Wikipedia: Coffee in Italy', 'Wikipedia: Halifax County, Virginia', 'Wikipedia: Upshur County, Texas', 'Wikipedia: White Plains', 'Wikipedia: Feltham', 'Wikipedia: Romford', 'Wikipedia: Washington County, Mississippi', 'Wikipedia: Mason County, Michigan']
[['Politics', 'Names', 'Family tree', 'References', 'Further reading'], ['Family', 'Irish Mythology', 'References', 'Personal and early life', 'Early career', 'Formula One career', 'Death', 'Legacy', 'In popular culture', 'End of an era', 'Troubled war years', '"The ghost of a once great cricketer"', 'Century of centuries and "The Invincibles"', 'Statistical summary', 'Test match performance', 'First-class performance', 'Test records', 'Cricket context', 'World sport context', 'Geography', 'Adjacent boroughs and census areas', 'National protected area', 'Lokasenna', 'Notes', 'References', 'Attestations', 'Poetic Edda', 'Prose Edda', 'Etymology', 'See also', 'Notes', 'References', 'County variations', 'Consolidated city-counties', 'County equivalents', 'Territories', 'County names', 'County government', 'Organization', 'Scope of power', 'Minimal scope', 'Moderate scope', 'Taxonomy', 'Description', 'Distribution and habitat', 'Reproduction', 'In the aquarium', 'Food', 'Territorial behavior', 'Varieties', 'References', 'Culture and attractions', 'Attractions', 'Music', 'Theatres', 'Museums', 'Greenspace', 'Entertainment', 'Media and film', 'Folk culture', 'Public services', 'Individual numbers', 'Properties', 'Modular restrictions', 'Infinitude and density', 'Strong primes', 'Applications', 'Cryptography', 'Primality testing', 'Pseudorandom number generation', 'In popular culture', 'Early life', 'Career', 'Early career', 'Television', '1980s and 1990s', '2000s', 'Route description', 'Washington', 'Idaho', 'References'], ['History', 'Present use', 'History', 'Geography', 'Major highways', 'Airport', 'Adjacent counties', 'Demographics', 'Government', 'Politics', 'Communities', 'City', 'Caffè espresso', 'Caffettiera', 'Coffee maker', 'Coffee house', 'Coffee house environments', 'History', 'Geography', 'Adjacent counties', 'Major highways', 'Demographics', 'Notable people', 'See also', 'References'], ['Early days', 'County establishment and growth', 'Geography', 'Protected areas', 'Major highways', 'Adjacent counties and municipios', 'Climate', 'Demographics', 'Government', 'County offices', 'Education', 'Higher education', 'Communities', 'Cities', 'Towns', 'Unincorporated communities', 'See also', 'Further reading', 'References'], ['Geography', 'Major highways', 'Adjacent counties', 'Protected areas===', 'Lakes', 'Demographics', '2000 census', '2010 census', 'Communities', 'City', 'Geography', 'Adjacent counties', 'Transportation', 'Government', 'Tire mound', 'Economy', 'Hunting', 'Politics', 'Demographics', '2000 census', 'Geography', 'Major highways', 'Adjacent counties', 'National protected areas', 'Demographics', 'Politics', 'Economy', 'Communities', 'Cities', 'Towns', 'Arts, entertainment, and media', 'Games', 'Literature', 'Music', 'Groups and labels', 'Albums', 'Songs', 'Television', 'Other uses in arts, entertainment, and media', 'Education', 'Credited cast', 'Appearing in bit parts', 'Cast notes', 'Production', 'Disclaimer', 'Reception', 'Accolades', 'Other adaptations', 'Home media', 'See also', 'Notes', 'References', 'Further reading'], ['Cities', 'Villages', 'Census-designated places', 'Other unincorporated communities', 'Townships', 'Civil', 'Paper', 'Ohio House Districts', 'Ohio Senate Districts', 'Notable people', 'Adjacent counties', 'Demographics', 'Education', 'Elementary schools', 'Middle schools', 'High schools', 'Communities', 'City', 'Towns', 'Census-designated places', 'Demographics', '2000', '2010 census', 'Communities', 'Cities', 'Villages', 'Census-designated places', 'Politics', 'See also', 'References', 'National protected areas', 'Demographics', '2000 census', '2010 census', 'Economy', 'Education', 'Communities', 'City', 'Census-designated places', 'Other unincorporated places', 'Demographics', '2000 census', '2010 census', 'Education', 'Politics', 'Communities', 'City', 'Census-designated places', 'Unincorporated communities', 'Ghost towns', 'Music and stage', 'After Star Trek', 'Filmography', 'Film', 'Television', 'Theatre', 'Discography', 'References'], ['History', 'Geography', 'Governance', 'Redevelopment', 'MOD Feltham and Feltham House', 'Economy', 'Bibliography', 'References'], ['State', 'Federal', 'Political culture', 'Missouri presidential preference primary (2008)', 'Education', 'Public schools', 'Private schools', 'Public libraries', 'Tourism & attractions', 'Communities', 'Census-designated places', 'Unincorporated communities', 'Politics', 'See also', 'References'], ['Cities', 'Unincorporated communities', 'Townships', 'Government and Politics', 'Media attention', 'See also', 'Footnotes', 'Further reading'], ['See also', 'References', 'Further reading'], []]



['Wikipedia: Uni', 'Wikipedia: Edwin Rosario', 'Wikipedia: Denali Borough, Alaska', 'Wikipedia: Byggvir', 'Wikipedia: Sheila E.', 'Wikipedia: John Holmes (actor)', 'Wikipedia: Interstate 24', 'Wikipedia: Curve', 'Wikipedia: Tloquenahuaque', 'Wikipedia: Emmanuel Levinas', 'Wikipedia: Ryder Cup', 'Wikipedia: White County, Tennessee', 'Wikipedia: McClain County, Oklahoma', 'Wikipedia: Nonsense verse', 'Wikipedia: Waterloo tube station', 'Wikipedia: Brewster', 'Wikipedia: Brown County, Ohio', 'Wikipedia: Curry County, New Mexico', 'Wikipedia: Washoe County, Nevada', 'Wikipedia: Lander County, Nevada', 'Wikipedia: Kevyn Aucoin', 'Wikipedia: Djanggawul']
[['References', 'Works cited', 'Overview', 'Elatha and Bres', 'Names', 'References'], ['Helmet', 'Complete Formula One World Championship results', 'References', 'Books', 'Magazines', 'Further reading'], ['Playing style', 'After cricket', 'Administrative career', 'Later years and death', 'Legacy', 'Family life', 'In popular culture', 'See also', 'References', 'Sources', 'Demographics', 'Communities', 'See also', 'References'], ['Lokasenna', 'See also', 'Notes', 'References'], ['Early life', 'Career', 'Broad scope', 'Statistics', 'Population', 'Area', 'Geographic relationships between cities and counties', 'See also', 'Notes', 'References'], ['Early life', 'Career', 'Film career', 'Number and gender of partners', 'International relations', 'See also', 'References and notes', 'Further reading'], ['References'], ['History', '2010s', 'Film', 'Personal life', 'Awards and recognition', 'Won', 'Nominated', 'Filmography', 'Writer', 'Bibliography', 'References', 'Montana', 'Wyoming', 'South Dakota', 'Minnesota', 'Wisconsin', 'Illinois', 'Indiana', 'Ohio', 'Pennsylvania', 'New York', 'See also', 'Notes', 'References', 'Palace and Gardens', 'See also', 'References', 'Villages', 'Towns', 'Census-designated places', 'Unincorporated communities', 'Ghost towns/neighborhoods', 'See also', 'Notes', 'References'], ['References', 'See also', 'Manufacturer of coffee', 'Espresso machine', 'Government', 'Board of Supervisors', 'Constitutional officers', 'Communities', 'Towns', 'Census-designated places', 'Other unincorporated communities', 'See also', 'References'], ['History', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Politics', 'Education', 'Media', 'Communities', 'District offices', 'Politics', 'Education', 'Communities', 'Town', 'Census designated place', 'Unincorporated communities', 'Former communities', 'In popular culture', 'See also', 'History', 'Geography', 'Adjacent counties', 'Unincorporated communities===', 'Townships', 'In popular culture', 'Notable person', 'Politics', 'See also', 'References', '2010 census', 'Communities', 'Towns', 'Unincorporated communities', 'See also'], ['References', 'Census-designated place', 'Other unincorporated communities', 'See also', 'References'], ['Types of charitable organizations', 'Science and technology', 'Other uses', 'See also', 'References'], ['History', 'Places in the United States', 'Military', 'Other uses', 'See also', 'References', 'Further reading'], ['Politics, law, and government', 'Transportation', 'Major highways', 'Airport', 'Townships', 'See also', 'References'], [], ['Geography', 'Adjacent counties', 'Ghost Towns', 'Government and infrastructure', 'Politics', 'See also', 'References'], ['Planned development', 'Notable people', 'See also', 'References'], ['Early Life', 'Career', 'Inoui Cosmetics', 'Celebrity Work, Writing, and Appearances', 'Leisure', 'Demography', 'Religion', 'Transport', 'Notable people', 'References'], ['History', 'Toponymy', 'Economic development', 'Local government', 'Suburban expansion', 'Governance', 'Sport', 'Geography', 'Climate', 'Demography', 'Cities', 'Villages', 'Census-designated places', 'Unincorporated communities', 'Former communities', 'Townships', 'See also', 'References'], ['History', 'Geography', 'Adjacent counties', 'National protected areas', 'Demographics', 'Transportation', 'Major highways', 'See also', 'References', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'National protected area', 'Demographics', 'Government', 'Elected officials', 'Communities']]



['Wikipedia: Herman Potočnik', 'Wikipedia: Tapestry', 'Wikipedia: Oedipus Rex', 'Wikipedia: 522 BC', 'Wikipedia: Mike Farrell', 'Wikipedia: Circular saw', 'Wikipedia: Tōnacācihuātl', 'Wikipedia: Juneau County, Wisconsin', 'Wikipedia: Greensville County, Virginia', 'Wikipedia: Tyler County, Texas', 'Wikipedia: Jasper County, Texas', 'Wikipedia: Spink County, South Dakota', 'Wikipedia: Berkeley County, South Carolina', 'Wikipedia: Miranda (programming language)', 'Wikipedia: Finchley', 'Wikipedia: Pemiscot County, Missouri', 'Wikipedia: Ramsey County, Minnesota']
[['Education', 'Entertainment', 'Geography', 'Other uses', 'See also', 'Early life and career', 'Professional career', 'Boxing champion', 'Later career and death', 'Legacy and honors', 'See also', 'References'], ['Early life', 'Education and military service', 'The Problem of Space Travel', 'Death', 'Legacy', 'See also'], ['Etymology', 'Function', 'Geography', 'National protected area', 'Adjacent boroughs and census areas', 'Demographics', 'Communities', 'City', 'Census-designated places', 'Other unincorporated communities', 'Context', 'Curse upon Laius', 'Birth of Oedipus', 'Oedipus and the Oracle', 'Fulfilling prophecy', '1976–1983: Beginnings', '1984–1989: The Glamorous Life and A Love Bizarre', '1989–1994: Sex Cymbal and Mi Tierra', '1996–2005: Music directing', '2007–2009: C.O.E.D. and reunion with Prince', '2009–2012: The E Family', '2013–2015: Icon and Beat of my Own Drum', '2016–present: Girl Meets Boy', 'Honors', 'Discography', 'Events', 'By place', 'Persian Empire', 'Births', 'Drugs and the Wonderland murders', 'Later life and death', 'Personal life', 'Significant others', 'Charitable work', 'Hobbies', 'Penis size', 'Business activities and endeavors', 'Holmes mythology', 'Filmography', 'Route description', 'Illinois', 'Kentucky', 'Tennessee', 'Clarksville to Nashville', 'Middle Tennessee', 'Monteagle Mountain', 'Georgia and Chattanooga', 'Topological curve', 'Differentiable curve', 'Length of a curve', 'Differential geometry', 'Algebraic curve', 'See also', 'Notes', 'References'], [], ['Early life', 'Acting career', 'Massachusetts', 'History', 'Major intersections', 'Auxiliary routes', 'References'], ['Etymology', 'Origin and role', 'Notes', 'References', 'Life and career', 'Philosophy', 'Cultural influence', 'Published works', 'See also', 'References', 'Further reading'], ['History', 'Geography', 'Major highways', 'Airports', 'Founding of the Cup', 'Gleneagles 1921', 'Wentworth 1926', 'Worcester 1927', 'Inclusion of continental European golfers', 'Format', 'Team composition', 'Captains', 'Qualification and selection', 'History', 'Geography', 'Adjacent counties / independent city', 'Cities', 'Town', 'Unincorporated communities', 'See also', 'References'], ['References'], ['Geography', 'Blue Spring Cave', 'Major highways', 'State protected areas', 'Demographics', 'Education', 'Public schools', 'Communities', 'City', 'Town', 'Unincorporated communities', 'Geography', 'Major highways', 'Protected area', 'Adjacent counties', 'Lakes===', 'Demographics', 'History', 'Geography', 'Adjacent counties', 'National protected areas', 'Demographics', '2000 census', 'History', 'Geography', 'Adjacent counties', 'Demographics', 'Politics', 'Economy', 'Libraries', 'Transportation', 'Variants', 'Usage', 'Other languages', 'See also', 'References', 'Further reading'], ['1990s refurbishment', 'Jubilee Line extension', 'Southbank Place', 'Ticket Halls', 'Future', 'Connections', 'See also', 'References'], ['People', 'Places', 'United States', 'Islands in Boston Harbor', 'Structures', 'Schools', 'Business', 'Science', 'Entertainment', 'History', 'Geography', 'Main highways', 'Adjacent counties', 'Lakes', 'Protected areas===', 'Demographics', '2010 census', '2000 census', 'Overview', 'Sample code', 'References'], ['Demographics', '2000 census', '2010 census', 'Communities', 'Cities', 'Villages', 'Census-designated place', 'Unincorporated communities', 'Politics', 'See also', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'National protected areas', 'Demographics', '2000 census', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'National protected area', 'Demographics', '2000 census', '2010 census', 'Personal Life', 'Death', 'Posthumous Media', 'In Popular Culture', 'Books authored', 'References'], ['History', 'Governance', 'Geography', 'Demography', 'Landmarks', 'Transport', 'Economy', 'Transport', 'Culture', 'See also', 'References', 'Further reading'], ['History', 'Geography', 'Adjacent counties', 'Major highways', 'Airport', 'Education', 'Communities', 'Cities', 'Towns', 'Unincorporated communities', 'Ghost towns', 'Politics', 'See also', 'Footnotes', 'History', 'Government and politics', 'County Sheriff', 'County Attorney', 'County Commissioners', 'Cities', 'Villages', 'Charter township', 'Civi townships', 'Unincorporated communities', 'Indian reservation', 'See also', 'References'], []]



['Wikipedia: Hercle', 'Wikipedia: Mohammed Omar', 'Wikipedia: I/O (disambiguation)', 'Wikipedia: Dillingham Census Area, Alaska', "Wikipedia: St. Mary's University, Texas", 'Wikipedia: Obfuscation', 'Wikipedia: Greedy algorithm', 'Wikipedia: Tonantzin', 'Wikipedia: Ferguson Jenkins', 'Wikipedia: Weakley County, Tennessee', 'Wikipedia: Trap', 'Wikipedia: Auntie Mame', 'Wikipedia: Chesapeake', 'Wikipedia: Northampton County, North Carolina', 'Wikipedia: Colfax County, New Mexico', 'Wikipedia: Poppy Z. Brite', 'Wikipedia: Rotherhithe', 'Wikipedia: Warren County, Mississippi', 'Wikipedia: Marquette County, Michigan']
[['Scenes from Etruscan art', 'See also', 'References', 'Early life', 'Personal life', 'Mujahideen era', 'References'], ['See also', 'Historical development', 'Contemporary tapestry', 'Jacquard tapestries, colour and the human eye', 'List of famous tapestries', 'References', 'Notes', 'Bibliography', 'Further reading'], ['Historical locations', 'Popular culture', 'See also', 'References'], ['The old man', 'Riddle of the Sphinx', 'Plot', 'Relationship with mythic tradition', 'Reception', 'Themes, Irony and motifs', 'Fate, free will, or tragic flaw', 'State control', 'Irony', 'Sight and blindness', 'Studio albums', 'Singles', 'See also', 'References'], ['Deaths', 'References', 'Background', 'Awards', 'Biographies', 'Print', 'Documentaries', 'See also', 'References', 'Further reading'], ['History', 'Early history', 'Recent history', 'Exit list', 'Related routes', 'Interstate 124', 'Paducah business loop', 'References'], ['Specifics', 'Cases of failure', 'Types', 'Theory', 'Early career', 'M*A*S*H (1975–83) and later roles', 'Providence (1999–2002)', 'Political activism', 'Publications', 'Personal life', 'Filmography', 'References'], ['History', 'Process', 'Characteristics', 'Types of circular saws', 'Sawmill blades', 'Cordwood saws', 'Hand-held circular saws for wood', 'Aspects', 'Alleged syncretism', 'Modern usage', 'References', 'Early life', 'Professional baseball', 'MLB career', 'Early seasons', '1971 season', 'Adjacent counties', 'National protected area', 'United States Military Posts', 'Demographics', 'Communities', 'Cities', 'Villages', 'Towns', 'Unincorporated communities', 'Politics', 'Preliminary events', 'Notable Ryder Cups', '1969: Nicklaus vs Jacklin', '1989: Azinger and Ballesteros', '1991: "The War on the Shore"', '1999: Battle of Brookline', '2012: Miracle at Medinah', 'Results', 'Cancellations and postponements', '1939 Ryder Cup', 'Major highways', 'Demographics', 'Government and infrastructure', 'Board of Supervisors', 'Constitutional officers', 'Communities', 'Town', 'Unincorporated communities', 'Education', 'See also', 'Geography', 'Major highways', 'Adjacent counties', 'National protected area', 'Demographics', 'Communities', 'Cities', 'Major highways', 'Adjacent counties', 'National protected areas', 'Demographics', 'Government', 'United States Congress', 'County officials', 'District officials', 'Courts', 'Communities', 'Notable people', 'Politics', 'See also', 'References'], ['2000 census', '2010 census', 'Communities', 'Cities', 'Towns', 'Census-designated place', 'Unincorporated communities===', 'Townships', 'Politics', 'See also', '2010 census', 'Politics', 'Attractions', 'Communities', 'Cities', 'Towns', 'Census-designated places', 'Other unincorporated communities', 'See also', 'References', 'Major highways', 'County roads', 'Controversy', 'Contaminated water supply', 'Communities', 'Local landmarks', 'US 77 James C. Nance Bridge between Purcell and Lexington', 'References', 'Art and entertainment', 'Films and television', 'Music', 'Other uses in art and entertainment', 'Biology and medicine', 'Adaptations', 'Re-issues', 'References'], ['Other uses', 'See also', 'Populated places', 'Politics', 'Government', 'Media', 'Radio', 'Newspapers', 'Communities', 'Villages', 'Census-designated places', 'Unincorporated communities', 'Townships', 'History', 'Geography', 'Adjacent counties', 'Major highways', 'References'], ['History', '2010 census', '2016', 'Politics', 'Communities', 'Cities', 'Census-designated places', 'Other communities', 'See also', 'References'], ['Politics', 'Communities', 'Census-designated places', 'Other places', 'Ghost town', 'See also', 'References', 'Further reading'], ['Work', 'Personal life', 'Retirement and return to writing', 'Bibliography', 'Novels and novellas', 'Short story collections', 'Education', 'Sports', 'Public services', 'Community facilities', 'Cultural references', 'Notable people', 'Twinning', 'Gallery', 'See also', 'References', 'Etymology', 'Description', "King's Stairs Gardens", 'Local landmarks and history', 'Ecclesiastical parish', 'Nordic connection', 'Demographics', 'Religion', 'Politics', 'Local', 'State', 'Federal', 'Political culture', 'Missouri presidential preference primary (2008)', 'Education', 'Public schools', 'Further reading', 'Geography', 'Major highways', 'Geography', 'Adjacent counties', 'National protected area', 'Transportation', 'Major highways', 'Rail', 'Air', 'Demographics', '2010', '2000', 'Geography', 'Adjacent counties', 'National protected areas', 'Climate']]



['Wikipedia: Vanth', 'Wikipedia: Boise State University', 'Wikipedia: Malleability (cryptography)', 'Wikipedia: Jack L. Warner', 'Wikipedia: Roger Corman', 'Wikipedia: French and Saunders', 'Wikipedia: Landes (department)', 'Wikipedia: Tzitzimitl', 'Wikipedia: Jefferson County, Wisconsin', 'Wikipedia: Grade', 'Wikipedia: Oglala Lakota County, South Dakota', 'Wikipedia: Beaufort County, South Carolina', 'Wikipedia: Mayes County, Oklahoma', 'Wikipedia: Clifton Suspension Bridge', 'Wikipedia: County Kerry', 'Wikipedia: Belmont County, Ohio', 'Wikipedia: Pershing County, Nevada', 'Wikipedia: Humboldt County, Nevada', 'Wikipedia: Roseanne Barr', 'Wikipedia: Aaron Smith (musician)']
[['Etruscan chthonic figures', 'See also', 'References'], ['Forming the Taliban', 'Leader of the Islamic Emirate of Afghanistan', 'Bamiyan Buddhas', 'Opium production', 'September 11 attacks', 'In hiding', 'Post-NATO withdrawal from Afghanistan', 'Emergence of ISIS', 'Last days', 'Death', 'History', 'Campus', 'Albertsons Library', 'Example malleable cryptosystems', 'Complete non-malleability', 'See also', 'References', 'Geography', 'Adjacent boroughs and census areas', 'National protected areas', 'Demographics', 'Communities', 'Cities', 'Census-designated places', 'See also', 'Sigmund Freud', 'Adaptations', 'Film adaptions', 'Stage Adaptions', 'TV/Radio Adaptions', 'Parodies', 'See also', 'Notes', 'Translations', 'Further reading', 'History', 'Academics', 'Law School', 'Research', 'Athletics', 'Athletic honors', 'Mascot', 'Student organizations', 'Eschew', 'Secure communication', 'White box cryptography', 'Network security', 'Examples in literature:', 'See also', 'References'], ['Early years', 'Professional career', 'Early business ventures', 'Formation of Warner Bros.', 'Depression era', 'Early life', 'Early film career', 'Highway Dragnet', 'Producer', 'Matroids', 'Submodular functions', 'Other problems with guarantees', 'Applications', 'Examples', 'See also', 'Notes', 'References'], ['History', 'Background (1978–1987)', 'French and Saunders (1987–2007)', 'BBC Radio 2 (2010–present)', 'Cold saw for metal', 'Abrasive saws', 'See also', 'References'], ['In popular culture', 'References', 'Bibliography', 'Later seasons', 'Canadian baseball', 'Minor league', 'Post-baseball', 'Legacy', 'Honours and awards', 'See also', 'References and notes'], ['See also', 'References', 'Further reading'], ['1941, 1943, and 1945 Ryder Cups', '2001 Ryder Cup', '2020 Ryder Cup', 'Summary', 'Editions', 'Future venues', 'Future European venues', 'Television', 'Records', 'Traditions', 'References'], ['Arts and entertainment', 'Towns', 'Census-designated places', 'Unincorporated areas', 'Politics', 'United States Congress', 'See also', 'References'], ['Cities', 'Census-designated places', 'Unincorporated communities', 'Ghost towns', 'See also', 'References'], ['History', 'Geography', 'Adjacent counties', 'State protected areas', 'Demographics', 'Media', 'Radio', 'Print', 'References', 'History', 'Geography'], ['History', 'Geography', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Science and technology', 'Sports', 'Transportation', 'Other uses', 'See also', 'Geography and political subdivisions', 'Baronies', 'Most populous towns', 'In Virginia', 'In other U.S. states', 'Schools', 'Ships', 'Music, entertainment, and books', 'Transportation', 'Other', 'See also', 'See also', 'References'], ['Demographics', 'Communities', 'Towns', 'Unincorporated communities', 'Townships', 'Law and government', 'Politics', 'See also', 'References', 'Notes', 'Geography', 'Adjacent counties', 'National protected areas', 'Demographics', '2000 census', '2010 census', 'Communities', 'City', 'Town', 'Villages', 'Geography', 'Major highways', 'Adjacent counties', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'Anthologies (as editor)', 'Short stories', 'Non-fiction', 'Uncollected short fiction', 'See also', 'Notes', 'Further reading'], ['Background', 'Other connections', 'The Mayflower', 'China Hall', 'Second World War', 'Geography', 'Notable people', 'In popular culture', 'Main sights', 'Transport', 'Gallery', 'Alternative/vocational schools', 'Public libraries', 'Communities', 'Cities', 'Village', 'Former village', 'Census-designated place', 'Other unincorporated places', 'See also', 'References', 'Adjacent counties', 'National protected areas', 'Demographics', 'Government and politics', 'Board of Supervisors', 'National politics', 'Communities', 'City', 'Census-designated place', 'Unincorporated communities', 'Communities', 'Cities', 'Township', 'Unincorporated communities', 'Records', 'See also', 'References'], ['Transportation', 'Airports', 'Major highways', 'Demographics', 'Government', 'Elected officials', 'Education', 'Historical markers', 'Communities', 'Cities']]



['Wikipedia: Voltumna', 'Wikipedia: Cailleach', 'Wikipedia: Glottochronology', 'Wikipedia: Fairbanks North Star Borough, Alaska', 'Wikipedia: NewsRadio', 'Wikipedia: Joe Cocker', 'Wikipedia: Sweet corn', 'Wikipedia: Xipe Totec', 'Wikipedia: Gilda Radner', 'Wikipedia: Industrial music', 'Wikipedia: Trinity County, Texas', 'Wikipedia: Jackson County, Texas', 'Wikipedia: Uilleann pipes', 'Wikipedia: Pasquotank County, North Carolina', 'Wikipedia: Cibola County, New Mexico', 'Wikipedia: Finsbury', 'Wikipedia: Ruislip', 'Wikipedia: Ozark County, Missouri', 'Wikipedia: Walthall County, Mississippi', 'Wikipedia: Pope County, Minnesota']
[['See also', 'Notes', 'References', 'Writings', 'References', 'Further reading'], ['Declassified documents', 'Morrison Center', 'Computer Science Department', 'Micron Center for Materials Research', 'Other campuses', 'Academics and organization', 'Publishing', 'Athletics', 'Albertsons Stadium', 'ExtraMile Arena', 'Student life', 'Methodology', 'Word list', 'Glottochronologic constant', 'References'], ['Geography'], ['Overview', 'Cast', 'Notable alumni', 'Politics, law, and service', 'Business', 'Religion', 'Arts, entertainment, and media', 'Education', 'References'], ['Life and career', 'Early life (1944–1960)', 'Early career (1961–1966)', 'The Grease Band (1966–1969)', 'Mad Dogs & Englishmen (1970–1971)', 'The prewar and war years', 'Postwar era', 'The Sixties', 'After Warner Bros.', 'Personal life', 'Political views', 'Death and legacy', 'See also', 'Source citations and notes', 'References', 'Director', 'American International Pictures and Allied Artists', 'Machine Gun Kelly and producing', 'The Filmgroup', 'House of Usher', 'The Intruder', 'End of the Poe cycle and filming in Europe', 'Working for major studios', 'The Wild Angels', 'Return to independence', 'History', 'Anatomy', 'Consumption', 'Health benefits', 'Episodes', 'Live shows', 'Recurring characters', 'Lananeeneenoonoo', 'The Sugar Lumps', 'Side projects and other appearances', 'Featuring French and Saunders', 'Featuring French', 'Featuring Saunders', 'Video and DVD releases', 'History', 'Geography', 'Demographics', 'Politics', 'Current National Assembly Representatives', 'Economics', 'Tourism', 'See also', 'Attributes', 'Symbolism', 'Annual festival', 'Human sacrifice', 'Early life', 'Career', 'Saturday Night Live', 'Work in theater, a record album and her first movie', 'History', 'Geography', 'Major highways', 'Airports', 'Adjacent counties', 'Demographics', 'Government', 'Politics', 'Communities', 'Similar golf events', 'See also', 'Notes and references'], ['Education', 'Science, technology, and mathematics', 'Biology and medicine', 'Geology', 'Engineering and technology', 'Mathematics', 'Sport', 'Other uses', 'See also', 'Geography', 'Adjacent counties', 'National protected area', 'Demographics', 'Education', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Communities', 'Cities', 'Education', 'Weakley County Schools', 'Communities', 'Cities', 'Towns', 'Unincorporated communities', 'Politics', 'See also', 'References'], ['Major highways', 'Adjacent counties', 'National protected area', 'Lakes===', 'Demographics', 'Politics', 'Communities', 'Town', 'Census-designated places', 'Unincorporated communities===', 'Adjacent counties', 'National protected areas', 'Demographics', '2000 census', '2010 census', 'Government', 'Education', 'Colleges and universities', 'Community, junior, and technical colleges', 'High schools', 'Politics', 'Economy', 'Communities', 'City', 'Towns', 'Census-designated places', 'Other unincorporated community', 'NRHP sites', 'References', 'History', 'Plans', 'Construction', 'Operation', 'Archives', 'Engineering', 'Dimensions', 'Incidents', 'Physical geography', 'Climate', 'History', 'Lordship of Ireland', 'Kingdom of Ireland', 'The Famine', 'War of Independence and Civil War', 'Local government', 'County council', 'Town councils', 'Etymology', 'History', 'Tuning', 'Instrument variations', 'Practice set', 'History', '2018 gas well blowout and methane leak', 'Geography', 'Adjacent counties', 'Major highways', 'Protected areas', 'Lakes', 'Demographics', '2010 census', '2000 census'], ['Geography', 'Adjacent counties', 'Census-designated place', 'Unincorporated communities', 'Politics', 'See also', 'References'], ['National protected area', 'Demographics', '2000 census', '2010 census', 'Communities', 'City', 'Census-designated places', 'Other unincorporated communities', 'Politics', 'See also', 'National protected areas', 'Demographics', '2000 census', '2010 census', 'Education', 'Law enforcement', 'Politics', 'Communities', 'City', 'Census-designated places', 'Early life', 'Career', 'Stand-up comedian: 1980–1986', 'Roseanne sitcom, film, books, and talk show: 1987–2004', 'Return to stand-up, television guest appearances, and radio: 2005–2010', 'Reality television and Roseanne revival: 2011–2018', 'Personal life', 'Selected discography', 'References'], ['References', 'Further reading', 'Maps', 'History'], ['Geography', 'Adjacent counties', 'Ghost town', 'Notable people', 'See also', 'References'], ['History', 'Geography', 'Major highways', 'Airports===', 'Adjacent counties', 'Charter townships', 'Civil townships', 'Census-designated places', 'Other unincorporated communities', 'Indian reservations', 'See also', 'References'], []]



['Wikipedia: Catherine of Alexandria', 'Wikipedia: National myth', 'Wikipedia: Syllable Desktop', 'Wikipedia: Howard Zinn', 'Wikipedia: Agama (lizard)', 'Wikipedia: Phalanx CIWS', 'Wikipedia: Xiuhcoatl', 'Wikipedia: Grayson County, Virginia', 'Wikipedia: Wayne County, Tennessee', 'Wikipedia: Sanborn County, South Dakota', 'Wikipedia: Marshall County, Oklahoma', 'Wikipedia: Paul McGann', 'Wikipedia: Tensegrity', 'Wikipedia: Storey County, Nevada', 'Wikipedia: Eureka County, Nevada', 'Wikipedia: Manistee County, Michigan']
[['Legend', 'Torture and martyrdom', 'Veneration', 'Historicity', 'Name', 'Name', 'Legends', 'Locations associated with the Cailleach', 'Ireland', 'Scotland', 'See also', 'Notes', 'References', 'Housing', 'Social fraternities and sororities', 'Notable alumni', 'References'], ['Divergence time', 'Results', 'Discussion', 'Modifications', "Starostin's method", 'Time-depth estimation', 'See also', 'References', 'Bibliography'], ['Adjacent boroughs and census areas', 'Government', 'Demographics', 'Communities', 'Cities', 'Census-designated places', 'Other unincorporated communities', 'Sister cities', 'See also', 'References', 'Regular cast', 'Recurring characters', 'Nielsen ratings', 'Season ratings', 'Episodes', 'Home media', 'Syndication', 'References'], ['Features', 'See also', 'References', 'Further reading'], ['On the road (1972–1982)', 'Later career (1982–2014)', 'Death', 'Tribute concerts', 'Loss of material', 'Personal life', 'Accolades', 'Discography', 'Studio albums', 'Citations'], ['Life and career', 'Early life', 'Final films as director', 'New World Pictures', 'Distributing foreign films', '20th Century Fox', 'Peak of New World', 'Millennium Films', 'New Horizons', 'Concorde Pictures', 'Frankenstein Unbound', 'Concorde and New Horizon in the 90s', 'Cultivars', 'Genetics', 'Genetically modified corn', 'See also', 'References', 'UK video', 'UK DVD', 'USA video', 'USA DVD', 'Australian video', 'Australian DVD', 'International broadcasters', 'References'], ['References'], ['History', 'See also', 'Notes', 'References', 'Further reading', 'Personal life', 'Illness', 'Remission', 'Relapse, death, and SNL response', 'Legacy', 'Awards and honors', 'Filmography', 'Films', 'Television', 'Awards', 'Cities', 'Villages', 'Towns', 'Census-designated places', 'Unincorporated communities', 'See also', 'References'], ['History', 'Precursors', 'Industrial Records', 'Wax Trax! Records', 'Expansion of the scene', 'Characteristics and history', 'Expansion and offshoots (late 1980s and early 1990s)', 'Mainstream success (1990s and 2000s)', 'See also', 'History', 'Geography', 'Adjacent counties', 'National protected areas', 'Transportation', 'Major Highways', 'Railroads', 'Communities', 'Cities', 'Census-designated place', 'Unincorporated communities', 'Ghost towns', 'Politics', 'See also', 'Census-designated places', 'Unincorporated communities', 'Ghost town', 'Politics', 'See also', 'References'], ['History', 'Geography', 'Adjacent counties', 'Townships', 'See also', 'References'], ['Communities', 'Cities', 'Towns', 'Census-designated places', 'Other unincorporated communities', 'Named islands', 'Notable people', 'Politics', 'See also', 'Footnotes', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'Gallery', 'Notes', 'References'], ['Parliamentary representation', 'Culture', 'Sport', 'Gaelic Games', 'Association Football', 'Irish language', 'Places of interest', 'Media', 'Infrastructure', 'Road', 'Half set', 'Full set', 'Chanter', 'See also', 'References'], ['Politics', 'Government', 'Corrections', 'Education', 'K-12', 'Higher education', 'Communities', 'Cities', 'Villages', 'Census-designated places', 'National protected area', 'Major highways', 'Demographics', 'Law and government', 'Education', 'Communities', 'City', 'Unincorporated communities', 'See also', 'References', 'Geography', 'Adjacent counties', 'National protected areas', 'Demographics', '2000 census', '2010 census', 'Education', 'References'], ['History', 'Unincorporated communities', 'See also', 'References'], ['Controversies', 'National anthem', 'Hitler photoshoot', 'Zimmerman tweet', 'Parkland shooting tweet', 'George Soros', 'Valerie Jarrett tweets and Roseanne cancellation', 'Political activities', '2012 presidential campaign', 'Endorsements', 'Geography', 'Origins and administration', 'Soke of Cripplegate', 'Manor and parishes', 'Latter administration and representation', 'History', 'Growth', 'Military history', 'Medical district', 'Famous residents', 'History', 'Toponymy', 'Early developments', 'Urban development', 'Demographics', 'Local government', 'Education', 'Sports clubs', 'Transport', 'Major highways', 'National protected area', 'Demographics', 'Religion', 'Education', 'Public schools', 'Public libraries', 'Politics', 'Local', 'State', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Communities', 'Town', 'Unincorporated communities', 'Politics', 'Protected areas===', 'Major lakes===', 'Demographics', '2000 census', 'Communities', 'Cities', 'Unincorporated communities', 'Ghost town', 'Townships', 'Government and politics', 'History', 'Historical markers', 'Government', 'Elected officials', 'Geography']]



['Wikipedia: Camma', 'Wikipedia: IACR', 'Wikipedia: Haines Borough, Alaska', 'Wikipedia: Billing', 'Wikipedia: This Modern World', 'Wikipedia: List of counties in Hawaii', 'Wikipedia: Mygdon of Bebryces', 'Wikipedia: Xocotl', 'Wikipedia: Errico Malatesta', 'Wikipedia: Jackson County, Wisconsin', 'Wikipedia: Kitsap County, Washington', 'Wikipedia: Travis County, Texas', 'Wikipedia: Jack County, Texas', 'Wikipedia: Barnwell County, South Carolina', 'Wikipedia: Airbus Helicopters', 'Wikipedia: Goddington', 'Wikipedia: Birrahgnooloo', 'Wikipedia: Polk County, Minnesota']
[['Medieval cult', 'Legacy', 'In art', 'Contemporary media', 'See also', 'References', 'Notes', 'Sources'], ['Primary sources', 'Further reading'], ['Background', 'Social background', 'Psychological background', 'Mythopoeic methods', 'Primary myths', 'Consequences', 'See also', 'References', 'All article disambiguation pages', 'All disambiguation pages', 'Disambiguation pages'], ['Geography', 'Adjacent boroughs and census areas', 'Invoicing', 'Places', 'Other uses', 'See also', 'Overview', 'Publication history', 'Characters', 'General sources', 'Further reading'], ['World War II', 'Education', 'Academic career', 'Civil Rights Movement', 'Anti-war efforts', 'Vietnam', 'Iraq', 'Socialism', 'FBI files', 'Personal life', 'Roger Corman Presents', 'Ireland', 'Later career:  Syfy Channel', 'Personal life', 'Remembrances and awards', 'Archive', '"The Corman Film School"', 'Filmography', 'Cult classics', 'Controversy', 'Etymology and taxonomy', 'Species', 'References', 'Further reading'], ['Mythology', 'Source', 'Design', 'Upgrades', 'Operation', 'Radar subsystems', 'Gun and ammunition handling system', 'CIWS contact target identification', 'Incidents', 'Drone exercise accidents', 'Iran–Iraq War', 'Iraqi missile attack in 1991 Gulf War', 'Attributes', 'Mythology', 'Ritual', 'Notes', 'References', 'See also', 'References'], ['Geography', 'Adjacent counties', 'Major highways', 'Airport', 'Demographics', 'Footnotes', 'References', 'History', 'Major highways', 'Demographics', 'Economy', 'Government', 'Board of Supervisors', 'Constitutional officers', 'Legislative representation', 'Education', 'Public High School', 'Private High School', 'References'], ['History', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'Economy', 'Communities', 'National protected area', 'State protected areas', 'Demographics', 'Religion', 'Politics', 'Education', 'College', 'Public schools', 'Media', 'Radio', 'Geography', 'Major highways', 'Adjacent counties', 'Protected areas===', 'Lakes and reservoirs===', 'Demographics', '2000 census', '2010 census', 'Communities', 'Further reading'], ['History', 'National protected area', 'Demographics', 'Politics', 'Economy', 'Communities', 'City', 'Towns', 'Census-designated place', 'Other unincorporated places', 'See also', 'Early life', 'Career', 'Early work and breakthrough', 'Doctor Who', 'Later career', 'Audio books and voice work', 'Personal life', 'Filmography', 'Film', 'Rail', 'Bus', 'Air', 'Sea', 'Hospitals', 'Education', 'Septs, families, and titles', 'People', 'See also', 'References', 'Concept', 'Applications', 'Biology', 'History', 'Stability', 'Tensegrity prisms', 'Tensegrity icosahedra', 'Unincorporated communities', 'Townships', 'Notable residents', 'See also', 'References', 'Further reading'], [], ['History', 'Historical emblems', 'Corrections', 'Politics', 'Communities', 'City', 'Town', 'Census-designated places', 'Unincorporated communities', 'Ghost towns', 'See also', 'References', 'Geography', 'Major highways', 'Adjacent counties and city', 'Demographics', '2000 census', '2010 census', 'Communities', 'Economy', 'Politics', 'See also', 'History', 'Geography', 'Adjacent counties', 'National protected area', 'Major highways', 'Demographics', '2000 census', '2010 census', 'Communities', 'Support for Donald Trump', 'Discography', 'Album', 'Audiobook', 'Filmography', 'Awards', 'Bibliography', 'References'], ['Points of interest', 'References'], ['London Underground', 'Buses', 'Landmarks', 'Village square', 'Manor Farm', 'Ruislip Lido', 'Orchard Hotel', 'Notable people', 'In popular culture', 'See also', 'Federal', 'Political culture', 'Missouri presidential preference primary (2008)', 'Communities', 'City', 'Villages', 'Census-designated places', 'Unincorporated communities', 'See also', 'References', 'See also', 'References', 'References', 'See also', 'References'], ['Adjacent counties', 'National protected area', 'Transportation', 'Airport', 'Major highways', 'Demographics', 'Communities', 'City', 'Villages', 'Census-designated places']]



['Wikipedia: The Ring (magazine)', 'Wikipedia: Camulus', 'Wikipedia: Walter Chrysler', 'Wikipedia: International Association for Cryptologic Research', 'Wikipedia: Borghild', 'Wikipedia: Flensburg', 'Wikipedia: Sceafa', 'Wikipedia: Boeing 777', 'Wikipedia: Mygdon of Phrygia', 'Wikipedia: Yacatecuhtli', 'Wikipedia: Major County, Oklahoma', 'Wikipedia: Eddie Campbell', 'Wikipedia: Cat on a Hot Tin Roof', 'Wikipedia: Aipaloovik', 'Wikipedia: Auglaize County, Ohio', 'Wikipedia: New Hanover County, North Carolina', 'Wikipedia: Chaves County, New Mexico', 'Wikipedia: Nye County, Nevada', 'Wikipedia: Esmeralda County, Nevada', 'Wikipedia: Christopher Moore (author)', 'Wikipedia: Royal Borough of Kingston upon Thames', "Wikipedia: St John's Wood", 'Wikipedia: Osage County, Missouri', 'Wikipedia: Han River (Korea)', 'Wikipedia: Macomb County, Michigan']
[['History', 'The Ring world champions', 'Current The Ring #1 ranked fighters', 'Current The Ring world champions', 'References', 'Literature', 'Evidence', 'Further reading', 'Early life', 'Ancestry', 'Disambiguation pages with short descriptions', 'Short description is different from Wikidata', 'Activities', 'National protected area', 'Demographics', 'Transportation', 'Items of interest', 'Communities', 'See also', 'References'], ['Völsunga saga', 'See also', 'References', 'Other recurring elements', 'In other media', 'Crew', 'This Modern Life collections', 'References', 'Notes', 'Sources'], ['County information', 'References', 'Geography', 'Death', 'Notable recognition', 'Awards', 'Controversy and critiques', 'References in popular culture', 'In film', 'In television', 'In music', 'In books', 'Bibliography', 'See also', 'References', 'Further reading'], ['Development', 'Background', 'Design effort', 'Into production and testing', 'Entry into service', 'Initial derivatives', 'Mythology', 'References', 'Sources', 'Accidental downing of US aircraft by the Japanese destroyer Yūgiri', 'Centurion C-RAM', 'Operators', 'Current operators', 'Former', 'Specifications (Block 1A/B)', 'Similar systems', 'References', 'Notes'], ['References', 'Biography', 'Early years', 'Years of exile', 'Arrest in Italy', 'Return to London', 'Political beliefs', 'On labor unions', 'On violence', 'Works', 'Footnotes', 'Communities', 'City', 'Villages', 'Towns', 'Census-designated places', 'Unincorporated communities', 'Ghost towns/neighborhoods', 'Politics', 'See also', 'References', 'Geography', 'Geographic features', 'Adjacent counties', 'Demographics', '2010 census', 'Communities', 'Cities', 'Census-designated places', 'Other unincorporated communities', 'Politics', 'Culture', 'Communities', 'Towns', 'Unincorporated communities', 'Notable residents', 'See also', 'References'], ['Pre-Columbian and colonial periods', 'Mexican period', 'Republican period', 'Civil War and beyond', 'Geography', 'Springs', 'Major highways', 'Adjacent counties', 'Protected areas', 'Demographics', 'Cities', 'Census-designated place', 'Unincorporated communities', 'Notable residents', 'Politics', 'See also', 'References'], ['Newspaper', 'Events', 'Communities', 'Cities', 'Unincorporated communities', 'Notable individuals', 'See also', 'References'], ['City', 'Towns', 'Census-designated place', 'Unincorporated community', 'Townships', 'Politics', 'See also', 'References', 'Geography', 'Adjacent counties', 'Demographics', '2000 census', '2010 census', 'Communities', 'City', 'Towns', 'Politics', 'Notable people', 'References', 'History', 'Geography', 'Television', 'Narrator', 'Audio', 'Video games', 'References'], [], ['Plot', 'Themes', 'Patents', 'Basic tensegrity structures', 'See also', 'References', 'Gallery', 'Bibliography', 'Further reading'], ['References', 'Products', 'Projects', 'See also', 'References'], ['Further reading'], ['Geography', 'References'], ['History', 'Census-designated places', 'Other unincorporated places', 'Politics', 'See also', 'References'], ['Bibliography', 'Novels', 'The Pine Cove Books', 'Vampires in San Francisco'], ['Districts in the borough', 'Adjacent local government districts', 'References'], ['Origin'], ['Geography', 'Adjacent counties', 'Geography', 'Name', 'History', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'Protected areas===', 'Demographics', '2000 census', 'Communities', 'Cities', 'Unincorporated communities', 'Other unincorporated communities', 'Townships', 'See also', 'References', 'Further reading']]



['Wikipedia: Julia Margaret Cameron', 'Wikipedia: Canola oil', 'Wikipedia: Juneau, Alaska', 'Wikipedia: MP/M', 'Wikipedia: Tom Tomorrow', 'Wikipedia: Murder Most Horrid', 'Wikipedia: Douai', 'Wikipedia: Phycology', 'Wikipedia: Goethite', 'Wikipedia: Iron County, Wisconsin', 'Wikipedia: Goochland County, Virginia', 'Wikipedia: Irion County, Texas', 'Wikipedia: Washington County, Tennessee', 'Wikipedia: Roberts County, South Dakota', 'Wikipedia: Bamberg County, South Carolina', 'Wikipedia: Paradise', 'Wikipedia: Pipestone County, Minnesota']
[['List of pound for pound #1 fighters', 'Scandal', 'See also', 'References'], ['Other proposed connections', 'References', 'History', 'Railroad career', 'Automotive career', 'Later years', 'See also', 'References', 'Bibliography'], ['Asiacrypt', 'Cryptographic Hardware and Embedded Systems', 'Eurocrypt', 'Fast Software Encryption', 'Public Key Cryptography', 'Theory of Cryptography', 'Real World Crypto Symposium', 'International Cryptology Conference', 'Fellows'], ['History', 'European encounters', 'Mining era', 'Establishment of Russian Orthodox Church', 'Development of mining', 'MP/M platforms', 'MP/M-80', 'MP/M-86', 'Career', 'This Modern World', 'Personal life', 'Works and publications', 'Awards', 'Neighbouring municipalities', 'Constituent communities', 'History', 'Middle Ages', 'Early modern times', 'History as a German town', 'Since the Second World War', 'Amalgamations', 'Population development', 'Danish minority', 'Author', 'Contributor', 'Recordings', 'Theatre', 'References', 'Further reading', 'Interviews', 'Obituaries', 'Videos'], ['Widsith', 'In genealogies', 'Scyld Scefing', 'In Beowulf', 'A rite involving scyld and sceaf', "Variations on Sceaf's lineage", 'King Sheave', 'References'], ['Second generation models', 'Production developments and 777X', 'Updates and improvements', 'Design', 'Fly-by-wire', 'Airframe and systems', 'Interior', 'Variants', '777-200', '777-200ER', 'Format', 'Episodes', 'Series 1 (1991)', 'Series 2 (1994)', 'Series 3 (1996)', 'Economy', 'Transport', 'History', 'References', 'History of phycology', 'Further reading'], ['Films', 'Further reading'], ['Geography', 'Government', 'Board of County Commissioners', 'State legislators', '23rd Legislative District', '26th Legislative District', '35th Legislative District', 'Education', 'Post-secondary education', 'Public schools', 'Transportation', 'History', 'Native Americans', 'Henrico Shire', 'Formation of Goochland County', 'Goochland Courthouse', '2010 Census', '2000 Census', 'Government and infrastructure', 'Corrections', 'Economy', 'Education', 'School districts', 'Colleges and universities', 'Culture', 'Politics', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'Demographics', 'History', 'Watauga and the Washington District', 'Washington County, North Carolina and Franklin', 'Part of Tennessee', 'Geography', 'Major highways', 'Adjacent counties', 'Protected areas===', 'Lakes and rivers===', 'See also', 'References'], ['Major highways', 'Adjacent counties', 'Demographics', 'Politics', 'Economy', 'Communities', 'City', 'Towns', 'Census-designated places', 'Other unincorporated places', 'Biography', 'Alec and other autobiographical work', 'Bacchus', 'From Hell', 'Self-publishing', 'First Second and Top Shelf', 'iPad', 'Falsehoods and untruths', 'Facing death', 'Stage productions', 'Original production', 'Revivals', 'Original Broadway cast', 'Original London 3 week West End cast', 'Adaptations', 'Awards and nominations', 'Original Broadway production', 'Etymology', 'Biblical', 'Hebrew Bible', 'New Testament', 'Judaism', 'Geography', 'Adjacent counties', 'Demographics', '2000 census', '2010 census', 'Politics', 'Government', 'Courthouse', 'History', 'Geography', 'Islands', 'Adjacent counties', 'Major highways', 'Demographics', 'Communities', 'City', 'Adjacent counties', 'National protected areas', 'Demographics', '2000 census', '2010 census', 'Politics', 'Communities', 'City', 'Towns', 'Census-designated place', 'Geography', 'Major highways', 'Adjacent counties', 'National protected areas', 'Demographics', '2000 census', '2010 census', 'Education', 'Communities', 'Inhabited communities', 'History', 'Geography', 'Highways', 'Adjacent counties', 'National protected areas', 'Demographics', '2000 census', 'Death Merchant Chronicles', 'Chronicles of Pocket the Fool', 'Other novels', 'Short stories', 'Other works', 'References'], ['History', 'Ethnicity', 'Politics', 'Parliament', 'Local government', 'Modern Kingston', 'Tourism in Kingston', 'Economy', 'Industry', 'Education', 'Built environment', 'Education', 'Places of worship', 'Christian', 'Muslim', 'Jewish', 'Transport and locales', 'Notable residents', 'Commemorative blue plaques', 'Past and present residents', 'Major highways', 'Demographics', 'Education', 'Public schools', 'Private schools', 'Post-secondary', 'Public libraries', 'Politics', 'Local', 'State', 'Joint Utilization Zone', 'Tributaries of the Han', 'Bridges over the lower Han', 'Subways crossing Han River', 'In media', 'See also', 'Notes', 'References', 'Citations', 'Bibliography', 'Townships', 'Government and politics', 'See also', 'Footnotes', 'Further reading'], ['History', 'Geography', 'Adjacent counties', 'Demographics', 'Parks and recreation', 'Government', 'Elected officials', 'Politics']]



['Wikipedia: H. J. R. Murray', 'Wikipedia: Journal of Cryptology', 'Wikipedia: Shakespeare in Love', 'Wikipedia: Matt Stairs', 'Wikipedia: Tilapia', 'Wikipedia: Swan River (Western Australia)', 'Wikipedia: Love County, Oklahoma', 'Wikipedia: Catron County, New Mexico', 'Wikipedia: Big Sandy', 'Wikipedia: St Pancras, London', 'Wikipedia: Union County, Mississippi']
[['Biography', 'Early life and education', 'Marriage and social life', 'South Africa and Calcutta', 'England', 'Photography career', 'Early career', 'Mid-career', 'Origin', 'Production and trade', 'GMO regulation', 'GMO litigation', 'Biodiesel', 'Production process', 'Other edible rapeseed oils', 'Health information', 'Erucic acid', 'Comparison to other vegetable oils', 'Early life and education', 'History of Chess', 'Bibliography', 'Published works', 'Unpublished works', 'Notes', 'References', 'References'], ['20th and 21st centuries', 'Geography', 'Adjacent boroughs and census areas', 'Border area', 'National protected areas', 'State Parks', 'Climate', 'Demographics', 'Economy', 'Culture', 'MP/M 8-16', 'MP/M-286', 'Commands', 'CP/NET, CP/NOS, MP/NET and MP/NOS', 'Legacy', 'Notes', 'References', 'References'], ['Plot', 'Politics', 'Coat of arms', 'International relations', 'Economy and infrastructure', 'Energy', 'Transport', 'Established businesses', 'Media', 'Public institutions', 'Education', 'Early life', 'Minor league career', 'Major league career', 'History', 'Characteristics', 'Gallery', '777-300', '777 Freighter', '777-300ER Special Freighter (SF)', '777X', 'Government and corporate', 'Operators', 'Orders and deliveries', 'Aircraft on display', 'Accidents and incidents', 'Specifications', 'Series 4 (1999)', 'Reception', 'Awards', 'Video and DVD releases', 'Video', 'DVD (Region 2)', 'References'], ['Heraldry', 'Main sites', 'University of Douai', 'Catholic studies', 'Modern university', 'Notable people', 'Twin towns', 'References'], ['Notable phycologists', 'See also', 'References'], ['Composition', 'Formation', 'Distribution', 'Usage', 'Gallery', 'See also', 'References'], ['Adjacent counties', 'Major highways', 'County Highways', 'Demographics', 'Communities', 'Cities', 'Towns', 'Census-designated places', 'Unincorporated communities', 'Historical sites', 'Notable people', 'In popular culture', 'See also', 'Notes', 'References', 'Bibliography'], ['Revolutionary War', 'Civil War', 'Convict lease program', 'Monument', 'Churches', 'Historic homes', 'School buses', 'Government', 'Board of Supervisors', 'Constitutional officers', 'Communities', 'Cities (multiple counties)', 'Cities', 'Villages', 'Census-designated places', 'Other unincorporated communities', 'See also', 'References'], ['Oil & Gas Activity Summary', 'Communities', 'City', 'Unincorporated community', 'Ghost town', 'Notable natives', 'Politics', 'See also', 'References'], ['Geography', 'Adjacent counties', 'National protected area', 'State protected areas', 'Major Highways', 'Demographics', 'Education', 'Elementary schools', 'Middle schools', 'High schools', 'Demographics', '2000 census', '2010 census', 'Communities', 'Cities', 'Towns', 'Census-designated places', 'Unincorporated communities===', 'Townships', 'Notable people', 'History', 'Government', 'Geography', 'Adjacent counties', 'Major highways', 'Demographics', '2000 census', '2010 census', 'Communities', 'Cities', 'United States Senate', 'Education', 'Colleges and universities', 'Community, junior and technical colleges', 'Public school districts', 'Communities', 'Cities', 'Boroughs', 'Townships', 'Census-designated places', 'NRHP sites', 'References', 'History', 'Personal life', 'Awards', 'Bibliography', 'Alec / autobiography', 'Other work', 'Notes', 'References'], ['1974 Broadway revival', '1990 Broadway revival', '2003 Broadway revival', '2008 Broadway revival', 'See also', 'References'], ['Economy', 'Communities', 'Cities', 'Villages', 'Townships', 'Census-designated places', 'Unincorporated communities', 'Ghost towns', 'See also', 'References', 'Towns', 'Townships', 'Census-designated places', 'Unincorporated communities', 'Law and government', 'Politics', 'Education', 'Notable residents', 'See also', 'References', 'Unincorporated communities', 'See also', 'References', 'Census-designated places', 'Ghost towns', 'In popular culture', 'Politics', 'See also', 'References'], ['2010 census', 'Law and government', 'Politics', 'Education', 'Communities', 'Unincorporated communities', 'Ghost towns', 'See also', 'Notes', 'References', 'Communities', 'Other', 'See also', 'Schools', 'Further education', 'Higher education', 'Transport', 'Railway', 'Travel to work', 'Coat of arms', 'International links', 'Sport and leisure', 'References', "St John's Wood in literature, music and television", 'References'], ['Federal', 'Political culture', 'Missouri presidential preference primary (2016)', 'Communities', 'See also', 'References', 'Further reading'], [], ['Geography', 'Major highways', 'History', 'Geography', 'Major highways', 'Adjacent counties', 'Protected areas===', 'Lakes', 'Demographics', 'Transportation', 'Air', 'Major highways', 'Other roads', 'Communities', 'Cities', 'Villages', 'Charter townships', 'Civil townships', 'Unincorporated communities']]



In [20]:
print(len(title_list),len(url_list),len(abstract_list),len(anchor_list),len(link_list))
22060 22059 22059 16191 16602
In [25]:
print("Total number of distinct titles in 1 Million rows of the wikipedia data :" , len(set(title_list)))
Total number of distinct titles in 1 Million rows of the wikipedia data : 22060

Method 2

  • Using XML Iterparse : This is a very efficient and simple way to parse a large XML file iteratively.
  • First method is for those, who want to get hands on practicing Pyspark on different problems.
In [21]:
anch = []; lnk = []; start = time.time(); df = pd.DataFrame(); i = 0
elements_parsed = {"title" : [], "url" : [], "abstract" : [], "anchor" : [], "link" : []}



for event, elem in ET.iterparse("./xml_data/enwiki-latest-abstract.xml"):    
    if elem.tag == "title":
        elements_parsed["title"].append(elem.text.split(":")[1])
              
    if elem.tag == "url":
        elements_parsed["url"].append(elem.text)
    if elem.tag == "abstract":
        elements_parsed["abstract"].append(elem.text)
    
    if len(elem) > 0:
        for child in elem:
            if child.tag == "anchor":
                anch.append(child.text)

            if child.tag == "link": 
                lnk.append(child.text)
        
        
    if i > 0 and elem.tag == "title":
        elements_parsed["anchor"].append(anch)  
        elements_parsed["link"].append(lnk)        
        anch = []; lnk = []
        if len(df) == 0:
            df["title"] = [elements_parsed["title"][0]]
            df["url"] = [elements_parsed["url"][0]]
            df["abstract"] = [elements_parsed["abstract"][0]]
            df["anchor"] = [elements_parsed["anchor"][0]]
            df["link"] = [elements_parsed["link"][0]]
        if len(df) > 0:
            df.loc[i] = [elements_parsed["title"][0],elements_parsed["url"][0],elements_parsed["abstract"][0],elements_parsed["anchor"][0],elements_parsed["link"][0]]
        
        elements_parsed.clear()
        elements_parsed = {"title" : [], "url" : [], "abstract" : [], "anchor" : [], "link" : []}
        elements_parsed["title"].append(elem.text)
            
            
    i = i+1
    if i > 0 and i % 1000000 == 0:#00
        print(i,"Time taken...", time.time()-start, "seconds..")
    if i == 1000000:
        break
1000000 Time taken... 125.71665978431702 seconds..
In [22]:
df.shape
Out[22]:
(17472, 5)
In [23]:
df[1:]
Out[23]:
title url abstract anchor link
77 Anarchism https://en.wikipedia.org/wiki/Anarchism Anarchism is a political philosophy and moveme... [Etymology, terminology and definition, Histor... [https://en.wikipedia.org/wiki/Anarchism#Etymo...
163 Wikipedia: Autism https://en.wikipedia.org/wiki/Autism | onset = By age two or three [Characteristics, Social development, Communic... [https://en.wikipedia.org/wiki/Autism#Characte...
231 Wikipedia: Albedo https://en.wikipedia.org/wiki/Albedo Albedo () (, meaning 'whiteness') is the measu... [Terrestrial albedo, White-sky, black-sky, and... [https://en.wikipedia.org/wiki/Albedo#Terrestr...
287 Wikipedia: A https://en.wikipedia.org/wiki/A ][][][][][][][][][][] [History, Typographic variants, Use in writing... [https://en.wikipedia.org/wiki/A#History, http...
451 Wikipedia: Alabama https://en.wikipedia.org/wiki/Alabama (We dare defend our rights) [Etymology, History, Pre-European settlement, ... [https://en.wikipedia.org/wiki/Alabama#Etymolo...
... ... ... ... ... ...
999845 Wikipedia: AD 5 https://en.wikipedia.org/wiki/AD_5 __NOTOC__ [Events, By place, Roman Empire, Births, Death... [https://en.wikipedia.org/wiki/AD_5#Events, ht...
999874 Wikipedia: AD 6 https://en.wikipedia.org/wiki/AD_6 AD 6 was a common year starting on Friday (lin... [Events, By place, Roman Empire, China, Births... [https://en.wikipedia.org/wiki/AD_6#Events, ht...
999903 Wikipedia: AD 7 https://en.wikipedia.org/wiki/AD_7 AD 7 was a common year starting on Saturday (l... [Events, By place, Roman Empire, China, Persia... [https://en.wikipedia.org/wiki/AD_7#Events, ht...
999947 Wikipedia: AD 8 https://en.wikipedia.org/wiki/AD_8 AD 8 was a leap year starting on Sunday (link ... [Events, By place, Roman Empire, Europe, Persi... [https://en.wikipedia.org/wiki/AD_8#Events, ht...
999985 Wikipedia: AD 10 https://en.wikipedia.org/wiki/AD_10 AD 10 (X) was a common year starting on Wednes... [Events, By place, Roman Empire, Central Asia,... [https://en.wikipedia.org/wiki/AD_10#Events, h...

17471 rows × 5 columns

In [28]:
print("Total number of distinct titles in the records parsed using XMLiterparse : ", df.shape[0])
Total number of distinct titles in the records parsed using XMLiterparse :  17472

End Note : XML Iterparse is missing on few records though it is very fast compared to Pyspark ways of parsing.

In [ ]: